Archivi categoria: Informatica
Nuclear Reactor Startup Transatomic Power going Open Source after Closure
This recently happened with Transatomic Power (founded by Mark Massie and Dr. Leslie Dewan in April 2011), a Nuclear Startup that introduced a brand new design of its own Nuclear Reactor that is a lot more efficient than conventional ones.
Happy birthday, KDE
Commenti al Firmware Arduino 0.18.08
Revisione 0.03
La nuova versione 0.18.08 del Firmware Arduino permette di realizzare l’Unità Didattica Il Semaforo Arduino.
L’Unità Didattica prevede di realizzare un modello di semaforo con tre LED colorati rosso, giallo e verde, collegati ai pin 2, 4 e 6.
All’avvio, se la sezione SEMAFORO nello sketch è attivata e la variabile semaforo_stato è automatico, allora si avvia il ciclo continuo di accensione e spegnimento con dati ritardi delle luci.
Seguirà l’ implementazione del comando
semaforo automatico|disabilitato|rosso|giallo|verde
da utilizzare nel consueto modo da remoto mediante canale USB .
Il codice sorgente relativo all’Unità Didattica viene attivato con
#define SEMAFORO
In questo caso vengono definite ed inizializzate le seguenti variabili:
#if defined(SEMAFORO)
String semaforo_stato = “automatico”;
// manuale|automatico|disabilitato
String semaforo_luce = “rossa”; // rossa|gialla|verde
int semaforo_durata_rosso = 3; // in secondi
int semaforo_durata_giallo = 1; // in secondi
int semaforo_durata_verde = 3; // in secondi
int semaforo_pin_rosso = 2;
int semaforo_pin_giallo = 4;
int semaforo_pin_verde = 6;
#endif
Quindi nella funzione setup()
#if defined(SEMAFORO)
pinMode(semaforo_pin_rosso, OUTPUT);
pinMode(semaforo_pin_giallo, OUTPUT);
pinMode(semaforo_pin_verde, OUTPUT);
#endif
E nella funzione loop()
#if defined(SEMAFORO)
if(semaforo_stato == “automatico”)
{
while(true) {
digitalWrite(semaforo_pin_rosso, HIGH);
delay(1000 * semaforo_durata_rosso);
digitalWrite(semaforo_pin_rosso, LOW);
digitalWrite(semaforo_pin_giallo, HIGH);
delay(1000 * semaforo_durata_giallo);
digitalWrite(semaforo_pin_giallo, LOW);
digitalWrite(semaforo_pin_verde, HIGH);
delay(1000 * semaforo_durata_verde);
digitalWrite(semaforo_pin_verde, LOW);
}
}
#endif
Arduino Firmware 0.18.08
#define FIRMWARE_VERSION "0.18.08" /*Language: Wiring/Arduino Serial Console 115200 baud \n ASCII 10 */ #define WATCH_DOG_ENABLED #define LCD_ENABLED // pin 4,5,6,7,8,9 reserved #define MACRO_01 // per utilizzi specifici #define SEMAFORO /* 001 Si osservi l'utilizzo del C preprocessor, macro processor, per compilare il minor codice possibile al fine di poter utilizzare microcontroller con modeste risorse. Il generatore codice sorgente firmware provvederà a includere le opportune righe di definizione variabili per il prepocessor */ // #include <Wire.h> #if defined(WATCH_DOG_ENABLED) #include <avr/wdt.h> #endif /* 002 Importante predisposione dei microcontroller: watch dog al livello hardware che firmware successivi andranno a implementare in modo migliore. Dovranno tener conto anche del tipo di scheda che esegue il firmware, infatti Uno e Mega hanno gestione diverse del watch dog a livello hardware */ #if defined(LCD_ENABLED) #include <LiquidCrystal.h> #endif /* 003 La connessione LCD al controller adottata lo standard DF-Robots */ #if defined(TEENSYDUINO) /* 004 Riconoscimento della scheda che esegue il Firmware */ // --------------- Teensy ----------------- #if defined(__AVR_ATmega32U4__) #define BOARD "Teensy 2.0" #elif defined(__AVR_AT90USB1286__) #define BOARD "Teensy++ 2.0" #elif defined(__MK20DX128__) #define BOARD "Teensy 3.0" #elif defined(__MK20DX256__) #define BOARD "Teensy 3.2" // and Teensy 3.1 (obsolete) #elif defined(__MKL26Z64__) #define BOARD "Teensy LC" #elif defined(__MK64FX512__) #define BOARD "Teensy 3.5" #elif defined(__MK66FX1M0__) #define BOARD "Teensy 3.6" #else #error "Unknown board" #endif #else // --------------- Arduino ------------------ #if defined(ARDUINO_AVR_ADK) #define BOARD "Mega Adk" #elif defined(ARDUINO_AVR_BT) // Bluetooth #define BOARD "Bt" #elif defined(ARDUINO_AVR_DUEMILANOVE) #define BOARD "Duemilanove" #elif defined(ARDUINO_AVR_ESPLORA) #define BOARD "Esplora" #elif defined(ARDUINO_AVR_ETHERNET) #define BOARD "Ethernet" #elif defined(ARDUINO_AVR_FIO) #define BOARD "Fio" #elif defined(ARDUINO_AVR_GEMMA) #define BOARD "Gemma" #elif defined(ARDUINO_AVR_LEONARDO) #define BOARD "Leonardo" #elif defined(ARDUINO_AVR_LILYPAD) #define BOARD "Lilypad" #elif defined(ARDUINO_AVR_LILYPAD_USB) #define BOARD "Lilypad Usb" #elif defined(ARDUINO_AVR_MEGA) #define BOARD "Mega" #elif defined(ARDUINO_AVR_MEGA2560) #define BOARD "Mega 2560" #elif defined(ARDUINO_AVR_MICRO) #define BOARD "Micro" #elif defined(ARDUINO_AVR_MINI) #define BOARD "Mini" #elif defined(ARDUINO_AVR_NANO) #define BOARD "Nano" #elif defined(ARDUINO_AVR_NG) #define BOARD "NG" #elif defined(ARDUINO_AVR_PRO) #define BOARD "Pro" #elif defined(ARDUINO_AVR_ROBOT_CONTROL) #define BOARD "Robot Ctrl" #elif defined(ARDUINO_AVR_ROBOT_MOTOR) #define BOARD "Robot Motor" #elif defined(ARDUINO_AVR_UNO) #define BOARD "Uno" #elif defined(ARDUINO_AVR_YUN) #define BOARD "Yun" // These boards must be installed separately: #elif defined(ARDUINO_SAM_DUE) #define BOARD "Due" #elif defined(ARDUINO_SAMD_ZERO) #define BOARD "Zero" #elif defined(ARDUINO_ARC32_TOOLS) #define BOARD "101" #else #define BOARD "Unknown board" #endif #endif boolean lcd_print_sec = true; #if defined(LCD_ENABLED) LiquidCrystal lcd(8, 9, 4, 5, 6, 7); // lcd_print_sec = true; #endif #if defined(SEMAFORO) String semaforo_stato = "automatico"; // manuale|automatico|disabilitato String semaforo_luce = "rossa"; // rossa|gialla|verde int semaforo_durata_rosso = 3; // in secondi int semaforo_durata_giallo = 1; // in secondi int semaforo_durata_verde = 3; // in secondi int semaforo_pin_rosso = 2; int semaforo_pin_giallo = 4; int semaforo_pin_verde = 6; #endif boolean request_response = true; String end_response = "Done "; /* 006 Il protocollo sviluppato utilizza lo schema naturale request / response con stringhe di testo e terminate da capo riga Il Firmware prevede di poter terminare la risposta del controller con una riga che inizia con Done ... */ // const int TIMEOUT_CICLE = 200; int CYCLE_DELAY = 20; /* 007 CYCLE_DELAY è il ritardo nel ciclo principale che realizza il poll mediante porta USB verrà gestito il comando che permetterà di variare il contenuto */ byte portType[54]; /* 008 Matrice fondamentale che contiene la configurazione dei PIN del microcontroller che è assegnata dal comando CONFIG */ char incomingChar = '\0'; String incomingString = ""; String command = ""; String parameters = ""; String parameter = ""; String tempString = ""; String tempString1= ""; String tempString2= ""; int port = 0; String portvalue = ""; String portname = ""; int pos = 0; int pos1 = 0; int pos2 = 0; int pos3 = 0; int tempInt = 0; char tempChar = '\0'; int inPortMap[7]; int loop_100 = 0; int loop_10000 = 0; /* 009 variabili che realizzano due cicli demoltiplicati rispetto al ciclo principale ovvero loop_100 diventa vera ogni cento cicli principali */ void setup() { #if defined(WATCH_DOG_ENABLED) wdt_enable(WDTO_8S); #endif Serial.begin(115200); delay(50); #if defined(LCD_ENABLED) lcd.begin(16, 2); lcd.setCursor(0,0); lcd.print("IoT "); lcd.print(FIRMWARE_VERSION); #endif for (int i = 0; i <= 53; i++) { portType[i] = 0; } /* 010 La matrice portType contiene la configurazione dei PIN del microcontroller Le Schede Mega hanno 54 port digital, from 9 to 53 16 port AD, from 0 to 13 I valori in portType significano: 0 not defined 1 IN 2 OUT 3 PWM 4 LCD 5 I2C 6 SPI 7 SERIAL */ #if defined(LCD_ENABLED) // 8, 9, 4, 5, 6, 7 portType[4] = 4; portType[5] = 4; portType[6] = 4; portType[7] = 4; portType[8] = 4; portType[9] = 4; #endif
#if defined(SEMAFORO)
pinMode(semaforo_pin_rosso, OUTPUT);
pinMode(semaforo_pin_giallo, OUTPUT);
pinMode(semaforo_pin_verde, OUTPUT);
#endif
// Wire.begin(); } void loop() { loop_100 = loop_100 + 1; if (loop_100 = 100) { loop_100 = 0; loop_10000 = loop_10000 +1; } if (loop_10000 = 100) { loop_10000=0; } #if defined(WATCH_DOG_ENABLED) wdt_reset(); #endif #if defined(LCD_ENABLED) if (lcd_print_sec) { lcd.setCursor(0,1); lcd.print(millis()/1000); } #endif
#if defined(SEMAFORO)
if(semaforo_stato == “automatico”)
{
while(true) {
digitalWrite(semaforo_pin_rosso, HIGH);
delay(1000 * semaforo_durata_rosso);
digitalWrite(semaforo_pin_rosso, LOW);
digitalWrite(semaforo_pin_giallo, HIGH);
delay(1000 * semaforo_durata_giallo);
digitalWrite(semaforo_pin_giallo, LOW);
digitalWrite(semaforo_pin_verde, HIGH);
delay(1000 * semaforo_durata_verde);
digitalWrite(semaforo_pin_verde, LOW);
}
}
if (Serial.available() > 0) { incomingChar = Serial.read(); if (incomingChar == '\n') { execCommand(); incomingString = ""; } else { incomingString += incomingChar; if (incomingString.length() > 254) { Serial.print("Error: "); Serial.println(incomingString); incomingString = ""; } } } } void execCommand() { incomingString.trim(); command = incomingString; if (incomingString.indexOf(" ")>0) { command = incomingString.substring(0, incomingString.indexOf(" ")); command.trim(); parameters = incomingString.substring(pos); parameters.trim(); } command.toLowerCase(); if ((command == "version") || (command == "ver")) { Serial.println(FIRMWARE_VERSION); } else if ((command == "board")) { Serial.println(BOARD); } else if ((command == "help")) { PrintHelp(); } else if (command == "config") { configPort(); } else if (command == "write" or command == "set") { writePort(); } else if (command == "read" or command == "get") { readPort(); } else if (command == "lcd") { #if defined(LCD_ENABLED) lcdExecCommand(); #endif } else { Serial.println("command unknown"); } }; void PrintHelp() { Serial.println( "--------------------------------------------------------"); Serial.println(""); Serial.println("Commands (case not sensitive)"); Serial.println(""); Serial.println("ver|version"); Serial.println("board"); Serial.println("config port 0..53 type unused|IN|OUT|PWM|LCD|I2C|SPI|SERIAL"); Serial.println("set|write port <n> value 0|low|1|high"); Serial.println("get|read port <n>"); Serial.println("lcd on|enable|off|disable"); Serial.println("lcd clear"); Serial.println("lcd clear row 1|2"); Serial.println("lcd print row 1|2 <string>"); Serial.println("lcd print seconds on|off"); Serial.println("request_response on|off"); Serial.println(""); Serial.println( "------------------------------------------------"); } void configPort() { // CONFIG PORT n TYPE out parameters = parameters.substring(parameters.indexOf("port") + 5); parameters.trim(); pos = parameters.indexOf(" "); String port_number = parameters.substring(0, pos); port_number.trim(); String port_type = parameters.substring(parameters.indexOf("type")+4); port_type.trim(); port_type.toLowerCase(); int int_port_number = -1; if(port_number.length()>0) { int_port_number = port_number[0] - '0'; } if(port_number.length()>1) { int_port_number = int_port_number * 10 + port_number[1] - '0'; } if (int_port_number>=0 and (BOARD=="Mega" or (BOARD=="Uno" and int_port_number< 14)) ) { if (port_type=="unused") { portType[int_port_number] = 0; } else if (port_type=="in" or port_type=="input") { portType[int_port_number] = 1; pinMode(int_port_number, INPUT); } else if (port_type=="out" or port_type=="output") { portType[int_port_number] = 2; pinMode(int_port_number, OUTPUT); } else if (port_type=="pwm") { portType[int_port_number] = 3; pinMode(int_port_number, OUTPUT); } else if (port_type=="i2c") { portType[int_port_number] = 5; } else if (port_type=="spi") { portType[int_port_number] = 6; } else if (port_type=="serial") { portType[int_port_number] = 7; } else { incomingString = "not "+incomingString; } } else { incomingString = " not "+incomingString; } /* Mega 54 port digital, from 9 to 53 16 port AD, from 0 to 13 portType value 0 unused 1 IN 2 OUT 3 PWM 4 LCD 5 I2C 6 SPI 7 SERIAL */ if (request_response) { Serial.println(end_response+ incomingString); } } void lcdExecCommand() { #if defined(LCD_ENABLED) if (parameters.indexOf("clear")>0 or parameters.indexOf("CLEAR")>0 ) { lcd_print_sec = false; if (parameters.indexOf("row")>0 or parameters.indexOf("ROW")>0 ) { if (parameters.indexOf("1")>0 ) { lcd.setCursor(0,0); lcd.print(" "); } if (parameters.indexOf("2")>0 ) { lcd.setCursor(0,1); lcd.print(" "); } } else { lcd.setCursor(0,0); lcd.print(" "); lcd.setCursor(0,1); lcd.print(" "); } if (request_response) { Serial.println(end_response+ incomingString); } } else if (parameters.indexOf("print")>0 and (parameters.indexOf("seconds")>0 or parameters.indexOf("second")>0 or parameters.indexOf("SECOND")>0 or parameters.indexOf("SECONDS")>0 )) { if (parameters.indexOf("off")>0 or parameters.indexOf("OFF")>0 ) lcd_print_sec = false; else lcd_print_sec = true; if (request_response) { Serial.println(end_response+ incomingString); } } else if (parameters.indexOf("print")>0 and ( parameters.indexOf("row 1")>0) ) { lcd.setCursor(0,0); lcd.print(parameters.substring( parameters.indexOf("row") + 6 ) ); if (request_response) { Serial.println(end_response+ incomingString); } } else if (parameters.indexOf("print")>0 and (parameters.indexOf("row 1")>0) ) { lcd.setCursor(0,0); lcd.print(parameters.substring( parameters.indexOf("row") + 7 ) ); if (request_response) { Serial.println(end_response+ incomingString); } } else if (parameters.indexOf("print")>0 and (parameters.indexOf("row 2")>0) ) { lcd.setCursor(0,1); lcd.print(parameters.substring( parameters.indexOf("row") + 6 ) ); if (request_response) { Serial.println(end_response+ incomingString); } } else if (parameters.indexOf("print")>0 and (parameters.indexOf("row 2")>0) ) { lcd.setCursor(0,1); lcd.print(parameters.substring( parameters.indexOf("row") + 7 ) ); if (request_response) { Serial.println(end_response+ incomingString); } } else { Serial.println("lcd on"); } #endif } void writePort() { // WRITE PORT n VALUE out parameters = parameters.substring( parameters.indexOf("port") + 5); parameters.trim(); pos = parameters.indexOf(" "); String port_number = parameters.substring(0, pos); port_number.trim(); String port_value = parameters.substring( parameters.indexOf("value")+5); port_value.trim(); port_value.toLowerCase(); int int_port_number = -1; if(port_number.length()>0) { int_port_number = port_number[0] - '0'; } if(port_number.length()>1) { int_port_number = int_port_number * 10 + port_number[1] - '0'; } if (int_port_number>=0 and (BOARD=="Mega" or (BOARD=="Uno" and int_port_number< 14) ) and portType[int_port_number]== 2 ) { if (port_value=="1" or port_value=="true" or port_value=="high") { digitalWrite(int_port_number, HIGH); } else if (port_value=="0" or port_value=="false" or port_value=="low") { digitalWrite(int_port_number, LOW); } else { incomingString = " not "+incomingString; } } else { incomingString = " not "+incomingString; } if (request_response) { Serial.println(end_response+ incomingString); } } void readPort() { // WRITE PORT n VALUE out parameters = parameters.substring(parameters.indexOf("port") + 5); parameters.trim(); pos = parameters.indexOf(" "); String port_number = parameters.substring(0, pos); port_number.trim(); int int_port_number = -1; if(port_number.length()>0) { int_port_number = port_number[0] - '0'; } if(port_number.length()>1) { int_port_number = int_port_number * 10 + port_number[1] - '0'; } if (int_port_number>=0 and (BOARD=="Mega" or (BOARD=="Uno" and int_port_number< 14) ) and portType[int_port_number]== 1 ) { Serial.println(digitalRead( int_port_number)); } else { incomingString = " not "+incomingString; } if (request_response) { Serial.println(end_response+incomingString); } } void getPort() { pos = parameters.indexOf(" "); while ( pos > 0 ) { parameter = parameters.substring(0, pos); parameter.trim(); parameters = parameters.substring(pos); parameters.trim(); if (parameter.length() == 1 ) { parameter.setCharAt(1, tempChar); tempChar = tempChar - 48; if ((tempChar >= 0) && (tempChar <= 7)) { port = tempChar + 22 ; // digitalRead(port); } } else { // Errore: }; }; }
You Can Now Run Ubuntu 18.04 on Raspberry Pi 3 with BunsenLabs’ Helium Desktop
If you plan on trying something new on your brand new Raspberry Pi 3 Model B+ tiny computer, developer Arne Exton announced today the availability of a new version of his Ubuntu-based RaspEX OS featuring the Helium Desktop from BunsenLabs Linux.
Unità Didattiche con Laboratorio di Tecnologia e Scienza.
Laboratorio di Informatica
Revisione 0.02
UNIX Linux
il Sistema Operativo liberamente utilizzabile, immune da virus ed estremamente robusto
- Linux Kernel
- Distribuzioni Linux
- Debian
- Red Hat
- Ubuntu
- Suse
- il computer per tutti
-
- LibreOffice
- Chrome e Firefox
- Oracle VirtualBox
- Gimp
- Programmi Multimediali
- immune da virus
- Open Source
- iniziativa Revisione Computer Dismessi
- recupero parco macchine obsoleto mediante allestimento Linux
- iniziativa che permette di utilizzare vecchie macchine
- a costo zero
- e contribuendo alla diminuzione del conferimento di inquinanti
-
RaspberryPi
il computer completo, di dimensioni e costo minimi
- un computer completo per la didattica dell’informatica
- computer ARM 32 e 64 bit
- Debian compilato ARM Rpi: Raspbian
- lo standard Python nella programmazione
- Catalogo dei Progetti Didatti Internazionali
- Istituti Scolastici con Gruppi di Interesse attivi
- Il Network Globale degli Appassionati e Gruppi di Interesse
- MagPi
- traduzione
- Allestimento di un Raspberry Pi Multimediale
- Ascolto Musica, Radio Internet, Netflix
- la comunicazione tra Raspberry Pi ed altri dispositvi
- rete
- WiFi
- RaspberryPi zero
- seriale
- USB
- il controllo da Raspberry Pi di Arduino attraverso porte USB
- Qt app
- Raspberry Pi GPIO
- Raspbian modulo kernel
- utilizzo da terminae
- Python sorgente
- Raspbian modulo kernel
Arduino
il computer miniaturizzato che interagisce con il mondo esterno
- laboratorio di didattica dell’informatica di base
- esperienze concrete di utilizzo
- Attuatori
- Sensori
- Principali tipi di schede
- Come alimentare le schede Arduino
- Porte I/O
- standard 5V e 3.3V
- I/O
- PWM
- AD
- DA
- seriale
- SPI
- I2C
- La programmazione di Arduino
- come programmare Arduino
- IDE e connessione USB
- configurazione
- Terminale Seriale
- Controllo remoto attraverso cavo USB
- Programmi Elementari
- allestimento ed utilizzo di un computer per programmare Arduino
- prime esperienze
- Accensione di un LED Colorato
- Accensione di due LED Colorati Intermittenti
- Il Semaforo
- come programmare Arduino
- La comunicazione mediante porte USB
- creazione di un linguaggio specifico per comunicare con Arduino
- UNIX Linux
- porta USB
- identificativi di produttore, modello e seriale
- udev
- P&P
- connessione
- questio reset alla connessione e, per certe schede, anche alla sconnessione
- firmware standard per controllo da dispositivo, per esempio computer o Raspberry Pi, attraverso USB
- Qt Poll App
- protocollo di comunicazione
- wrapper verso RDBMS
- PostgreSQL
- CEnni a codice Python
- porta USB
- Internet delle Cose
- interazione con un computer
- Raspberry Pi, Arduino, Sensori ed Attuatori
- esperienze introduttive
- esperienze con Opto Elettronica ed Illuminotecnica
- esperienze elementari con la Musica
- esperienze in ambito tessile: il vestito con equipaggiamento tecnologico
- Progetti Tecnologi
- Progetti Artistici
- Nozioni di Elettronica di Base
Informatica
- introduzione alla programmazione delle macchine calcolatrici
- UNIX Linux
- elementi di programmazione in
- C e C++
- Python
- elementi di programmazione in
- Programmazione WEB
- elementi di Yii2, Crud
- RDBMS
- PostgreSQL, pgSQL, PL Python3 Untrusted
- UNIX Linux
- Sistemi Operativi
- per processori Intel 32 bit, Intel ed AMD 64 bit, ARM 32 bit ed ARM 64 bit
- Il computer per uso domestico
- Il computer in ambito Aziendale
- Il server
- Sicurezza e prevenzione
- Monitoraggio
- Principi di Networking
- la rete domestica
- WiFi
- la rete Aziendale
- sistemi UTM e sicurezza aziendale
- Questioni Forensi
Internet of Things ed elettronica
- Processori
- Controller
- Sensori
- Attuatori
- Protocolli
- Linguaggi
- Standard I.o.T.
Scienza
- Introduzione alla Matematica
- il numero in natura
- matematica antica
- gli Elementi di Euclide
- l’eredità del mondo Greco Antico
- osservare lontano perchè non si capisce il vicino
- dall’astronomia alla geometria
- il pensiero geometrico che aumenta la complessità nel tramandare la cultura matematica
- notazioni per numeri che inibiscono il pensiero algebrico
- la nascita del sistema posizionale decimale
- algoritmi di calcolo moderni
- il Mondo Arabo nel Medio Evo
- Fibonacci
- il pensiero algebrico
- nozione moderna di insieme con struttura
- insiemi con operazioni
- algoritmo di calcolo
- notazione dei numeri diversa dalle lettere per l’alfabeto
- calcolo letterale: lettere al posto di un dato numero, lettere al posto di incognite
- nozione di equazione
- Newton e la nascita della scienza moderna
- la differenza nello spazio geometrico omogeno; la materia
- corrispondenza biunivoca tra numeri e realtà: il metodo delle coordinate
- definire numeri con approssimazioni
- denso e continuo
- Felix Klein e i Programmi di Erlangen
- nuova classificazione delle discipline scientifiche sui gruppi di trasformazioni
- Geometria Proiettiva nell’Ottocento
- Scienza Razionale: il metodo assiomatico
- Insiemi Numerici
- Naturali, Interi, Razionali, Reali e Complessi
- insieme ed operazioni
- il Teorema Fondamentale dell’Algebra per sancire l’esistenza di al più due tipi di operazione: additivo e moltiplicativo
- Linguaggio degli insiemi
- Corrispondenze tra Insiemi
- Fondamenti Di Matematica
- La visione della Matematica dopo Felix Klein
- La nuova concezione dello Spazio Geometrico
- Storia della Matematica
- Storia dei numeri
- Storia del Pensiero Geometrico
- Storia del Pensiero Algebrico
- La Matematica nel Mondo Greco Antico
- Il pensiero Geometrico che compromette lo sviluppo Algebrico e la Didattica
- Matematica Antica
- Matematica Moderna
- Metodo Assiomatico
- Algebra sul Concetto di Insieme ed Invarianza
- Fisica di base
- Lo Spazio della Fisica sullo Spazio Geometrico
- Materia
- Il metodo delle Coordinate
- la nozione di Misura
- Sistemi Inerziali
- Newton e La nascita della Scienza Moderna
- i Principi di Newton
create.arduino.cc
2019 T@B 320: Official Tour at the nüCamp Factory
Airstream 2019 Nest Travel Trailer
Coradia iLint
It was 2 years ago, at InnoTrans 2016 in Berlin that Alstom presented the Coradia iLint for the first time. The launch of the CO2-emission-free regional train that represents a true alternative to diesel power positioned us as the first railway manufacturers in the world to develop a passenger train based on hydrogen technology. And just two years later, at this year’s edition of InnoTrans 2018, the iLint enters into commercial service in Germany.
Ubuntu 18.10 Release Date, New Features and Everything Important Associated With it
Ubuntu 18.10 will be released on 18th October 2018.
Unlike the previous releases, there will be no alpha or beta milestones. This will be replaced by ‘testing weeks’.
18.10 a short-term release and will be supported for nine months from its release i.e. July’19.
new features:
1. GNOME 3.30
2. New default theme
3. Better battery life for laptops (possibility)
4. Support for fingerprint scanner
5. Startup time boost and XDG Portals support for Snap applications
6. Android integration
7. Linux Kernel 5.0
8. 32-Bit support diminishing from flavors
9. Faster boot with new compression algorithms
3D-printed “orbament” lights up with movement
What would you get if you crossed a gigantic Christmas tree ornament with an LED strip and Arduino/IMU control? Perhaps you’d come up with something akin to this colorful “RGB LED Ball” by James Bruton.
Ethec
La moto elettrica che vedete in questo video e in queste foto si chiama Ethec, è un prototipo sviluppato dall’Università di Zurigo in Svizzera e da qualche giorno è sulla bocca di tutti per due motivi principali: fa 400 km con una sola carica.
Sarà la prima moto elettrica con recupero energetico in frenata.
La batteria è composta da 1260 celle a ioni di litio ed è raffreddata da un sistema termoelettrico: una cella di Peltier abbinata ad una sistema di iniezione olio. La capacità è di 15 kWh, con recupero energetico. I motori sono due, uno anteriore e uno posteriore, per un totale di 22 kW di potenza cioè circa 30 CV.
Battery Cooling: Battery cooling system with fan, pumps, a peltier element and an expansion tank. For a durable and powerful battery an efficient cooling is required. An air circuit discharges the heat from the oil circuit with the help of peltier elements. The oil circuit directly flows around the battery cells.
Battery Structure: Structure of battery including two modules from 1260 Lithium-ion-cells. In view, the regular arrayed circuit boards and perfectly placed temperature sensors, which control the cooling system precisely
Qmmp – Qt-based Multimedia Player – the sound with no limits
HalloWing Magic 9 Ball
Making difficult decisions can be tricky and stressful. This project will help you take off some of the pressure, instead letting your HalloWing-based Magic 9 Ball do the heavy lifting of your decision making!
Il Semaforo Arduino
Laboratorio di Informatica per Introdurre l’Interazione tra Computer Miniaturizzato e Realtà circostante.
Revisione 0.04
L’Unità Didattica si rivolge a chi desidera introdursi nel mondo dei Computer Miniaturizzati che interagiscono con la realtà circostante.
Il livello di difficoltà è basso, quindi è aperta a tutti i Gruppi di Interesse: dal bambino con il genitore all’insegnante che cerca stimoli da realizzare nel Laboratorio d’Informatica della sua Scuola.
La lezione introduce il popolare, soprattutto in ambito della Didattica dell’Informatica nelle Scuole, Arduino.
Ai partecipanti verrà presentato il Kit Semaforo Arduino con parti da utilizzare nell’esperienza di Laboratorio:
- piccole schede computer Arduino Mega
- il contesto crea una prima occasione per utilizzare le schede Arduino
- schede dotate di sketch nella versione 0.18.08 che estendono il firmware di base con il comando semaforo
- pacchi batterie ricaricabili, con le usuali prese USB a 5V, da usare come Alimentatori
- sono introdotte le principali modalità di alimentazione delle schede Arduino
- cavi USB per collegare gli Arduino agli Alimentatori
- il partecipante utilizza il popolare standard USB per alimentare l’Arduino, ma poi anche per programmarlo e per controllarlo da computer
- piccoli emettitori di luce verde, giallo e rossa
- l’unità didattica utilizzare i popolari componenti elettronici emettitori di luce, LED, per realizzare un semaforo in miniatura
- cavi per collegare Arduino a tre emettitori di luce verde, gialla e rossa
- il programma di base versione 0.18.08 con modifiche specifiche che fa funzionare Arduino
- alcuni computer UNIX Linux Ubuntu da utilizzare per la programmazione Arduino
- primo approccio all’ambiente che permette di creare i programmi per Arduino mediante un computer
- con l’occasione introduciamo l’utilizzo di un computer UNIX Linux Ubuntu
- sarà poi possibile creare il nuovo scenario di controllare la scheda Arduino direttamente dal computer mediante cavo USB
La prima parte dell’evento ha l’obiettivo di introdurre i nuovi materiali e metodi a chi non ne ha mai avuto occasione.
Quindi i partecipanti potranno realizzare un vero e proprio semaforo in miniatura, che fa scattare, ciclicamente, il verde poi un breve giallo ed infine il rosso.
La seconda parte dell’esperienza viene introdotta dal problema di come variare le temporizzazioni dei colori.
Il formatore mostrerà
- come collegare l’Arduino ad uno dei computer presenti
- come cambiare il codice che la scheda Arduino esegue
- e quali siano i valori da modificare per completare l’unità didattica
I partecipanti quindi completeranno in autonomia l’esperienza di laboratorio e, completata l’esperienza, avranno ben aperta una nuova prospettiva di ricerca, che realizza un fondamentale tassello nella sua Formazione di Tecnologie Informatiche di Base.
Calendario
- da definire
- Presso: da definire
- da definire
- da definire
Numero partecipanti
Previsti da 15 a 30, con i quali ci sarà laboratorio ed interazione.
Propedeutico
Nessuna conoscenza, per tutti i gruppi di interesse. I bambini devono essere accompagnati, come sempre, da un genitore.
L’esperienza è rivolta a tutti i Gruppi di Interesse ed ha un significato propedeutico ad ogni altra unità didattica in tema.
Didattica ed Intrattenimento
Didattica dell’Informatica. Revisione 0.07
Per contattare il Gruppo Didattico.
Calendario e Locandine Incontri
Esperienze di Laboratorio d’Informatica Elementare
- Incontro Introduttivo alla Didattica ed Intrattenimento con Arduino
- Locandina
- Data: 24 ottobre 2018 ore 19.00
- Il Semaforo Arduino
- Locandina
- Un Incontro
- date da definire
- Arduino Luci e Colori
- Locandina
- Ciclo di tre Incontri
- date da definire
- Sartoria Arduino
- Locandina
- Ciclo di tre Incontri
- date da definire
- Arduino Serra
- Locandina
- Ciclo di tre Incontri
- date da definire
- Il Telecomando Arduino
- Locandina
- Ciclo di cinque Incontri
- date da definire
- Arduino Led Streap
- Locandina
- Ciclo di due Incontri
- date da definire
- Arduino Music Light
- Locandina
- Ciclo di quattro Incontri
- date da definire
- Arduino Pet
- Locandina
- Ciclo di cinque Incontri
- date da definire
- Il Computer Tascabile RaspberryPi
- Locandina
- Ciclo di cinque Incontri
- date da definire
Unità Didattiche con Laboratorio di Tecnologia e Scienza
Gruppi di interesse
- Bambini, età da 8 a 13 anni con genitori
- Ragazzi, dai 14 ai 17 anni
- Giovani
- Studenti Universitari
- Insegnanti
- Scuole Elementari
- Scuole Medie
- Istituti Superiori
- Appassionati
Calendario Unità Didattiche
In corso di definizione.
Linux 4.19-rc4 released, an apology, and a maintainership note
Another week, another rc.
Nothing particularly odd stands out on the technical side in the kernel updates for last week – rc4 looks fairly average in size for
this stage in the release cycle, and all the other statistics look
pretty normal too.
The Linux Kernel Has Grown By 225k Lines of Code So Far This Year From 3.3k Developers
Here are some of the findings:
The kernel repository is at 782,487 commits in total from around 19.009 different authors. The repository is made up of 61,725 files and from there around 25,584,633 lines — keep in mind there is also documentation, Kconfig build files, various helpers/utilities, etc.
Zero Motorcycles
Zero Motorcycles Inc. is an American manufacturer of electric motorcycles. Formerly called Electricross, it was started in 2006 by Neal Saiki, a former NASA engineer, in Santa Cruz, California. The company is now located nearby in Scotts Valley.
ZERO S ZF7.2 | ZERO S ZF13.0 | ZERO S ZF13.0 +Power Tank | |
---|---|---|---|
City? | 89 miles (143 km) | 161 miles (259 km) | 206 miles (332 km) |
Highway, 70 mph (113 km/h)? | 45 miles (72 km) | 81 miles (130 km) | 103 miles (166 km) |
Combined? | 60 miles (97 km) | 108 miles (174 km) | 138 miles (222 km) |
Peak torque | 78 ft-lb (106 Nm) | 81 ft-lb (110 Nm) | 81 ft-lb (110 Nm) |
Peak power? | 34 hp (25 kW) @ 4,300 rpm | 60 hp (45 kW) @ 5,300 rpm | 60 hp (45 kW) @ 5,300 rpm |
Top speed (max)? | 91 mph (146 km/h) | 98 mph (158 km/h) | 98 mph (158 km/h) |
Max capacity? | 7.2 kWh | 13.0 kWh | 16.6 kWh |
This nifty flying robot can hover, bank, and turn as deftly as a fruit fly
How to Connect Your Android Phone to Linux via Airdroid
Airdroid is a unique and useful application that lets you transfer files, send SMS messages and control your phone through your PC. It is available within the Google Play store and the iOS App Store and provides a useful alternative if you need to grab a file but don’t have a USB cable at hand. While Windows has a full rich client that allows easy access to the features, those of us on Linux have to use the web-based interface, but this doesn’t make the application any less useful.
Canonical released a new kernel live patch
Coming hot on the heels of the latest Linux kernel security update released by Canonical on Tuesday, the new Linux kernel live patch security update fixes a total of five security vulnerabilities.
Furto di dati ai passeggeri British Airways, bisogna informare più in fretta le vittime
La sigla General data protection regulations (Gdpr) che identifica la nuova disciplina europea in materia di privacy è stata beffardamente reinterpretata. L’acronimo è stato rivisitato in “Generally disclosing pretty rapidly” che lascia intendere che i nostri dati personali sono destinati a diventare pubblici abbastanza rapidamente.
Smart ring
A smart ring is a wearable electronics device with advanced mobile components that combine features of mobile devices with innovative features useful for mobile or handheld use. Smart rings, which are typically the size of traditional rings or larger, combine the features of a mobile device, such as the ability to make payments and mitigate access control, with popular innovative uses such as gesture control and activity tracking. Smart rings can communicate directly with smart phones or personal computers through a variety of applications and websites, and operate without the need to carry a smart phone, such as when interacting with back-end systems on the cloud through or performing standalone functions such as activity tracking. They typically do not have a display and operate by contextual relevance, such as by making a payment when near a payment terminal, unlocking an electronic lock when near the lock, or controlling home appliances when making gestures in the home. Some smart rings have physical or capacitive buttons to use as an activation mechanism, such as to initiate a gesture.
In 2013, the English firm McLear released the first smart ring for sale. The market is currently around $25 million.
Security
Secure access control such as for company entry and exit, home access, cars, and electronic devices was the first use of smart rings. Smart rings change the status quo for secure access control by increasing ease of use, decreasing physical security flaws such as by ease of losing the device, and by adding two-factor authentication mechanisms including biometrics and key code entry.
Payments and ticketing
Smart rings can perform payments and metro ticketing similar to contactless cards, smart cards, and mobile phones. Security of the transaction is equal to or greater than contactless cards. The first smart ring to be created with contactless payments was the NFC Payment Ring, which was mass produced and unveiled at the Olympics Summer Games at Rio de Janeiro in August 2016.
Activity
Replicating smartwatches, smart rings provide features including activity tracking (i.e. step tracking), heart beat tracking, and sleep tracking (through measuring heart beats and movements). The smart ring form factor contains enough space to contain the same components as smart watches. Due to size constraints, smaller components are typically used in current smart ring products in market, such as smaller and less accurate accelerometers, and smaller batteries leading to lower battery life than smart watches.
Social
Smart rings provide social feedback to users and can be used to engage in the user’s environment in a way that other wearables and mobile devices do not permit. Ringly produces a women’s fashion smart ring which lights to notify the user when the user receives a text message, phone call, or other notification. This enables the user to be aware of the notification without having to constantly check her or his smart phone.
RFID / NFC Smart Ring – Size 12 – NTAG213
NFC (near field communication) technology is a great way to interact wirelessly with projects. With the RFID/NFC Smart Ring your ring can communicate with your smart phone/tablet, computer, or much more! Contains two MiFare Ultralight C – NTAG 213’s with 144 bytes of read/write memory. One is on the ‘inside’ of the ring towards the palm, the other is underneath the jewel. You can use tags to launch apps, unlock your phone, transmit a URL, control an Arduino, etc.
NFC ring
Announcing the McLEAR payment ring
Ring has a single NXP NTAG216 IC.
Material: Scratch Resistant Advanced Ceramics
Storage: 1Kb
ASUS Notebook P541UA-GQ1248 I3 6006U
GNOME 3.30 “Almeria” Desktop Environment Officially Released, Here’s What’s New
Dubbed “Almería” after the host city of the GUADEC (GNOME Users And Developers European Conference) 2018 event that took place in early July, GNOME 3.30 updates numerous of its core apps and components by adding new features and enhancements to make your GNOME desktop experience more pleasant.
What is your favorite Linux window manager?
While many Linux users have a strong preference for a window manager of choice, for those just making their way over from Windows or Mac, it may be hard to understand what a window manager is, or that it’s even something you have a choice in. A window manager is the part of your system that dictates how individual application windows look, and how you can interact with, control, and arrange them.
- Cinnamon (Muffin)
- dwm
- Enlightenment
- GNOME (Mutter)
- i3
- KDE (KWin)
- Openbox
- Unity (Compiz)
- Xfce (Xfwm)
Create DIY music box cards with Punchbox
I love it when the opportunity to combine music and coding comes together. I’ve worked on a few personal projects related to music, from making music with network traffic to an auto-accompaniment system for electronic drums. More recently, my wonderful wife gave me a beautiful, programmable music box for my birthday. You punch out music notes on a card and crank it through the music box to play a tune.
6 open source tools for making your own VPN
Add GUIs to your programs and scripts easily with PySimpleGUI
Getting started with Bitcoin
History Of Economic Bubbles – Is Bitcoin The Next Big Crash To Add?
BitClub Network – Bitcoin Cloud Mining Pool Business Opportunity?
If Bitcoin Creator Satoshi Nakamoto Sold 1 Million BTC What Would Happen
How Does Bitcoin Work – User Advantages & Security Risks?
India’s Zebpay Crypto Exchange Flash Crash: Bitcoin and Ethereum Price Fall
Zebpay, which is a big cryptocurrency exchange from India, has recently notified its users that it would not be able to let its users withdraw their tokens for INR if it did not have a supporting bank in a document titled “Prohibition on dealing in Virtual Currencies”.
After the notice was sent out, all the major cryptocurrencies, ranging from Bitcoin to Ethereum and Ripple were down by more than 10% in what is being called the India Flash Crash by some people.
20 Best Cryptocurrency Lending & Fiat Loan Blockchain Platforms To Use
Cryptocurrency lending platforms work by connecting borrowers to a network of lender registered on the platform. In this case, borrowers receive their cryptocurrencies back once the borrower pays the loan. Most of the platforms have loans that are backs by assets, including real estate. But other platforms let users take loans that are backed by Bitcoin or other virtual currencies.
CryptoCurrency – Digital Money Trading, Exchanges & Investing Guide?
What Are MasterNode Crypto Coins: How Do They Work?
In the world of cryptocurrency, most people simply assume that the best way – and perhaps the only way – to make money is by day trading on currency exchanges. However, that’s simply not true. In fact, there are dozens of ways to earn a few bits of the cryptocurrency of your choice; one of the most novel ways is to run a master node.
4 Massively Misunderstood Cryptocurrency Principles To Date
4 Key Misconceptions About Cryptocurrency
The rise of cryptocurrencies has been undeniable. With the rising trade value of bitcoins and ethereum it can be clearly seen that that the era of cryptocurrencies is upon us. In fact, financial institutions all over the world have claimed that Bitcoins are indeed a better investment than gold and other precious metals at this point in time. It is also interesting to note that in 2017, the United Nations sent financial aid to Syrian rescue camps via means of cryptocurrency (so as to minimize any internal losses).
BITCOIN CRASH EXPLAINED BY BITCOIN MILLIONAIRE
Bitcoin’s Biggest Crashes Ranked – Volatility, Reasons & History?
Blockchain – Distributed Ledger Technology Application Benefits?
PRX
PRX, or Printerium, aims to apply blockchain technology to the 3D printing industry.
Omni
Verge
Verge is another digital currency that aims to completely anonymize the payment process.