Memristors, a Danger in Electronics

This is a post for people that know something about electronics and logic. Memristors are the missing element in the component options we know, we have resistors, capacotors, inductors, but until recently we did not have a memristor. In logic you can make any expression if you have AND and NOT, or OR and NOT or some other minimal combination. Similarly in electronics you can have any circuit if you have some minimal nr of components. The memristor completes the set of basic components.

Mathematically and philosophically a memristor is a missing link, a beautifull completion..

What is a memristor? Its a resistor that can be varied and then rememebers its resistance. Its like a tube that widens if a lot of water flows through, and then goes thinner when less water flows through. There is a memory effect, which means that you can store data in a memristor, but unlike most current types of memory the data storage is almost permanent (10 years for current components). Memristors are also called ‘univeral memory’ because of its ‘no power’ memory aspects.

I wrote about this topic before in 2016 “Closer to AI, or Hewlett Packards Memristor Machine”

Because a memristor is an analog device, as it has a resistance that varies non-discretely, it can mimic neural network elements. In AI the paradigm currently is mostly matric multiplications, where you have input signals 1 or 0 which get multiplied by a real number weight (say 0.213124) and is then put through a threshold function turning it into 1 or 0 again.

Memristor based matrix multiplication : The resistors are the weights, the multiplication takes one step

Memeristors can make this process easier, because a resistor can divide a voltage so that the output is only part of the input. So instead of having to put binary numbers in registers in a CPU or GPU and multiplying them digitally you can just put a 1 on the line of the resistor and add up the voltages that come out on the other hand. The memresistor more or less functions as a passive processing element, setting the value of the memristor ‘redesigns’ the network it will implement. It requires -no- energy to retain the resistive value, where normal memory needs to be refreshed. This is also the danger to humanity of this kind of device.

Hewlett Packard’s vision of ‘the machine’ is a super fast, super connected compute structure with memristor memory.

The above video is quite old, from 2014, and it should in some people trigger an eerie and creepy response. The guy outlines that Hewlett Packard seeks to build a super fast network of super low energy consuming machines to perform functions we now associate with internet and media, but also AI. Memristors are an essential element in this infrastructure, that seems to be intended to dominate our reality.

The problem with this vision is that 1. It does not make us server our needs, it is mainly meant to serve the fossil based economy and distract/program consumers. 2. As part of AI systems these memory banks (which can be gigantic) will not forget. They can not be switched off. If a bipedal android has memristor memory (which it got because it was lower energy and faster) and makes a mistake that is harmfull, it is possible you can’t approach it, you can’t power it down, and if you power it up again, it will continue to do exactly what it did before you shut it down.

What if you computer could not be reset? One error and it had to be replaced. What if it did dangerous things?

Mythic now offers AI accelerator chips that permanently store inference parameters (network weights) in memristor memory. They can not learn, they can only be set and used. It is 100% true these devices will cut cost, save energy, enable lots of cool applications. But they bring an inertia to possibly mobile and dangerous devices that won’t stop doing what they are doing unless you break the chip out of their circuits. It should certainly not be allowed to store personal data in such memory, as the ‘machine’ as HP calls it, should be avoidable, and us humans should be unidentifyable.

The world is not numbers, a higher number or even the same number can represent a different reality

The economy makes it very easy for us, if the number goes up its good, if the number goes down its bad. Like eggs in a basket, you want to have enough, some always want more. But there’s a reality behind those eggs, and that reality is changing in ways the eggs don’t show. First they came from happy free roaming chickens that felt protected from foxes at the farm, eating whatever was around. Now they are inbred, force fed, get their beaks cut, live in squalor of their own filth, die miserable deaths. Now they are dangerous vectors of respitory viri. The number did not change, but reality did. Keep an eye on the use of universal memory and memristors, because its a different reality than the one we are used to now!

PM 2.5 and PM 10 measurement with Nova PM sensor

You can buy PM (fine particle dust, fijnstof) sensors, but they usually don’t control anything. I wished to have a ventilation system controlled by a PM sensor, so that when my neighbors decided to burn some wood, I would not have to breath in the smoke and PAKS. Luckily you can buy a PM sensor now that proved workable for me, for about 30 Euro, and tried to maka a PM sensor that can be read through Wifi and can in principle switch on and off ventilation or open and close a window.

The problem with PM sensors that use a laser and have a ventilator is usually the interface. The Nova sensor is available with a USB connector, to translate the signal to something your computer can present as a COM serial connection. The next step is to read out the data. This can be done with Python. This then gives your computer access to the data stream. That’s where I’m at now. I found a code example and debugged it.

#!/usr/bin/python
# -*- coding: UTF-8 -*-

import serial, time, struct

ser = serial.Serial()
ser.port = "com9" # Set this to your serial port
ser.baudrate = 9600

ser.open()
ser.flushInput()

byte, lastbyte = "\x00", "\x00"

while True:
    lastbyte = byte
    byte = ser.read(size=1)
    # print("read",byte) #uncomment to see if any data comes in
    # We got a valid packet header
    if lastbyte == b'\xaa' and byte == b'\xc0':
        sentence = ser.read(size=8) # Read 8 more bytes
        readings = struct.unpack('<hhxxcc',sentence) # Decode the packet - big endian, 2 shorts for pm2.5 and pm10, 2 reserved bytes, checksum, message tail
        
        pm_25 = readings[0]/10.0
        pm_10 = readings[1]/10.0
        # ignoring the checksum and message tail
        
        print ("PM 2.5:",pm_25,"μg/m^3  PM 10:",pm_10,"μg/m^3")

The above code is real system level. The baud rate is 9200 and you need to find out what COM port is used (This is on a Windows machine sorry). Then the code above should work fine. If you have no programming environment download Spyder for Python.

Output from python console

The above shows the output from the code, and the effect of lighting a match close to the sensor. You can already send a message from Python to any server or even your phone, for instance if values become to high (fire? smoke?). I was thinking of a practical application to protect my lungs. If you can keep the sensor connected to you PC you can make it report the data to a website, and this way you can make it available for yourself, others and even automatic systems. I wanted to use a Wifi module so view the data from my mobile without using an external website.

The ESP32 board I used, to UART from the Nova will be connected to pin 27/25 or GPIO 16/17 on the right. 5V (Vin from USB) and GND are used on the bottom left.

I did some thing with the ESP8266 in the past, the ESP32 is more powerfull. It can run local mesh networks (without internet), be a hotspot for internet and do what it does here, serve webpages. It can operate servo’s and lots of other cool stuff. Now the task was to make it read the Nova data. This meant it needed to read the UART (serial output) of the board.

Making a connection with the board without screwing up the connector and/or cable

The Nova board has a special connector that I didn’t want to ruin to connect to the ESP32 board. In the documentation and on the board you can find the description of the pin function. We need the TX, RX, GND (which are next to each other) and the 5V pins. I solderd some female connecting wires to them so they could match the pins on the ESP32.

You can get these and not ruin the boards

That ESP32 board WROOM 4MB DEVKIT V1, can be programmed with the Arduino environment, you can simply used the USB cable. The Arduino libraries can talk to the different serial ports the ESP32 has (3 in total). The one we use here is UART2. You can see the pins below as RX2 and TX2. The other two pins of importance are the VIN and GND on the top left.

I decided to build a ‘captive server’ on the ESP32, this means the device shows up on your Wifi list, and you can look up a single IP address, where a tiny website is served. This website is to serve the PM values read by the NOVA module. Below is the code. As you can see it only uses generic libraries. I compared the output with the output from the Python code to check if it was working.

#include <WiFi.h>
#include <DNSServer.h>

#define RXD2 16
#define TXD2 17
char buf[200];
float pm25 = 0;
float pm10 = 0;

const byte DNS_PORT = 53;
IPAddress apIP(192, 168, 1, 1);
DNSServer dnsServer;
WiFiServer server(80);

void setup() { 
  WiFi.disconnect();   //added to start with the wifi off, avoid crashing
  WiFi.mode(WIFI_OFF); //added to start with the wifi off, avoid crashing
  WiFi.mode(WIFI_AP);
  WiFi.softAPConfig(apIP, apIP, IPAddress(255, 255, 255, 0));
  WiFi.softAP("PM server http://192.168.1.1");

  // if DNSServer is started with "*" for domain name, it will reply with
  // provided IP to all DNS request
  dnsServer.start(DNS_PORT, "*", apIP);

  Serial.begin(115200); // normal serial output
  Serial2.begin(9600, SERIAL_8N1, RXD2, TXD2); // to read the pm sensor
  server.begin();
}

void updatepmvalues() {

if (Serial2.available()) {
   
   int len = Serial2.readBytes(buf,20);
   pm25 = (float) word(buf[3],buf[2])/10;
   pm10 = (float) word(buf[5],buf[4])/10;
    
  }
}

void loop() {
  
  dnsServer.processNextRequest();
  
  WiFiClient client = server.available();   // listen for incoming clients

  if (client) {
    updatepmvalues();
    String currentLine = "";
    while (client.connected()) {
      if (client.available()) {
        char c = client.read();
        if (c == '\n') {
          if (currentLine.length() == 0) {
            client.println("<!DOCTYPE html>");
            client.println("<head><meta name=\"viewport\" content=\"width=device-width, initial-scale=1\">");
            client.println("<meta http-equiv=\"refresh\" content=\"3\">");
            client.println("<body><h1>PM values<table><tr><td>PM 2.5 </td><td>:" + String(pm25) + "</td><td> &#181;g/m^3</td></tr><br>");
            client.println("<tr><td>PM 10</td><td>:"+String(pm10)+ "</td><td> &#181;g/m^3</td></tr></table></h1>");
            client.println("</body></html>");
            
            Serial.print("\n"+String(pm25)+" "+String(pm10));
            break;
          } else {
            currentLine = "";
          }
        } else if (c != '\r') {
          currentLine += c;
        }
      }
    }
    client.stop();
  }
}

It took some time to find out how to read the PM values and convert them but in the end it worked fine. I may have left some stuff in the code, and there is certainly room for improvement in terms of interface. The screen refreshes every 3 seconds to show new values.

Screenshot of the output. Once you connected to Wifi you need to look up page http://192.168.1.1

The ESP32 can also connect to your home Wifi and report by looking up a webpage designed to recieve the data. You could then look up the page anywhere.

Another thing that’s possible that I will actually try is to hook up a switch/relais to the ESP32 and drive a ventilator or window (although I don’t have the hardware for that yet). The above parts cost about 10 Euro together. For now I will look for a place to hang the sensor and ESP32 so I can connect and read the PM values. If you want to order a working combination of the above youc an always ask (but quantities have to be worth it) email to info@greencheck.nl

Update

I found a cheap eCO2 sensor, which does not measure CO2 directly but calculates it. That’s fine for most applications imho. I managed to get it working (connect the Wake pin to GND and check the address of the specific I2C version) with the ESP32, as you can see below. So now its a matter of combining the parts into a switching PPM and CO2 sensor. Uploading data to a database is now easy so one step is to make it easy to set the Wifi credentials. These can be stored in EPROM (permanent memory) once when the sensor is configured.

Co2 measurements using the CCS811 CO2 and VOC sensore (can measure temperature too).

The possibilities of the ESP32 are such that you can make a mesh network, where the nodes report the measurements, and the switch is central. This uses the ESP-NOW mechanism, with a range of about 500 meter. Power supply to the parts is somewhat of a challenge. You’d like to use solar if possible. Metarial cost of a CO2/PPM switch can be as low as 45,- Euro for non mass production.

Electrification of Heavy Equipment

Building and ground works are super energy intensive. The mass that needs to moved to construct a building in concrete, steel other materials is immense. With climate change raising the ocean level many coastal regions will try to at least temporarily keep the water at bay by piling up more defences on existing structures. In Holland the Afsluitdijk is already being fortified.

Like the change to electric cars which opens up many advantages, the move to electrify the heavy equipment used in activities like the above will have many. Vibrating engines are bound to destroy themselves eventually, so they are build quite heavy, they have many parts and require constant maintenance (even though diesel engines are reliable). In some cases its hard to even perform maintenance because the work site is remote. Electric motors require almost no maintentenance, and they seem to require less resources to make.

Other advantageous aspects are the noise and the pollution. Out somewhere where nobody lives you can have a motor belching soot and even feel good about it, but increasingly people object to it, not the least the operator that has to suffer the pollution daily. Life can improve for all by not using diesel fueled equipment.

Luckily several if not all companies that build diesel equipment are now looking into and even offering electric machines. The brands that have them are:

Volvo mini shovels and digging machines

Caterpillar Mining trucks and 25 ton digging equipment

ABB

Hitachi

Liebherr

Companies that already use electric excavators are Van Oord which uses the 20 Ton Caterpillar electric digger. ABB is urging every mining company to go electric. This drive for sustainability and electrification will bring down cost and environmental damage even if mining does mess up nature (in some cases extremely as you can see below).

I think the next move has to be to stop powering electric vehicles with remote electric power sources like gas plants or nuclear reactors. The reason is again cost cutting. Now you have machines and batteries that are the working capital of a company, but what if the company also includes solar panels in a mobile form. Many of the electric machines have replaceable batteries, meaning they can be working continuously only switching batteries that can charge off line.

I think especially for big projects that take decades to complete it can be wise to use solar. In Holland the coming works to protect the country from the sea (for the time being) will go on for many years. It makes sense to investigate if the works can be powered by local floating solar farms, because those have a one time cost and then can last for 30 years. Diesel needs to be bought repeatedly from unreliable markets. If for example dutch companies that work on dikes etc. are asked to add a floating solar plant next to the place they are working they can take the plant with them by moving it from time to time. They can then work almost without cost until the equipment breaks down! That means Holland can be protected at a marginal cost and very high reliability.

The Mesmerization Economy

It is said we are bombarded by impressions of all kinds in our modern lives. This is partially true because we can’t always prevent messages and emptionally charged images to be presented to us in public space. Online and on television or the radio we still have a choice. There is however an industry that specializes in grabbing our attention and it is enormous and complex and in important part of the economic mechanism that keeps us destroying our future.

If you compare humans to animals we are not as focussed on survival at all. We can stroll to a supermarket (in the affluent countries) and get enough food to lose our drive to look for food. We can meet all other needs if we work for it. Our intelligence does not need to be high, we don’t need to be super skilled, in fact it is better for the economy if we spend all our free income in the economy. Then in order to ‘relax’ we turn to devices with the magical ability to present us with virtual worlds, virtual voices and even fully animated fantasies of places supposedly in outer space. We seek this ‘entertainment’ but we are also addicted to it. There is a strong incentive for people who produce this ‘entertainment’ to addict us, to capture our minds and make us think we are having significant experiences.

What was once a break from a relentless struggle for survival, a bit of violin music or theather, now is a force in our lives. So many people work during the day and check out Netflix at night, play games online, do stuff in virtual worlds. But the news that milks every possible conflict, the celebrities that start fights to draw attention, even the politicians that seem to do things just to offer ‘attention value’ to the media are all trying to grab our attention and own our mind. Our voluntary exposure to these influences warrants it the name Mesmerization industry. We spend hours sitting staring at images and absorbing sounds which we could be spending ourside with obvious health benefits.

But there is definitely a darker side to the fact we hand our imagination over to people getting payed in the fossil economy. We get reminded of habits and products we would perhaps not miss or desire otherwise. We get lied to by radio shows that use planted callers (BNR in Holland). It shapes our expectations and can even deplete our morality because we are desensitized as our emotional energy is used to keep us engaged. We want a daily struggle and we want to rage against enemies, so they are provided to us in the form of all kinds of wrongs, real or imagined. We are mesmerized by all of this, and we don’t achieve security, health or safety for ourselves.

The alternative, being a full on workaholic and only focussing on real things proves to mean that you fully cooperate with banks as they drive the fossil economy which drives humanity to the brink of extinction. So if you wake up in the morning, hurry to your job and hope not to get fired you are working to ensure the destruction of nature, the atmosphere, oceans as is extremely clear from all the parameters. You can buy a CO2 meter and see with your own eyes CO2 is waay higher and you can measure the temperature in winter and compare it to those of decades ago when it was much colder. You can see the drought and floods on the news, but your mind is so habituated to being entertained it may no longer really be yours.

De oude wijsheid, een van de oudste die bekend is, is dat wat we ons verbeelden ons doel wordt. Dat ons onderbewuste ons bewustzijn gehoorzaamd als dit zich iets verbeeld, of ergens een goed gevoel bij heeft, en dat na gaat streven. Ons onderbewuste heeft ook allerlei gedrag klaarstaan dat het op basis van triggers tot uiting kan brengen, tenminste als ons bewustzijn niet teveel is afgeleid. Er is een hele industrie die zich richt op het programmeren van ons onderbewuste en het triggeren van gedrag zodat we geld uitgeven en dingen doen en willen die geld opbrengen. Een grote poster met een Whopper is genoeg om ons onderbewuste te motiveren ons richting de Burger King te sturen, waar we de Whopper kopen, soms terwijl we het eigenlijk onverstandig vinden.

Hoe vergeven is onze geest eigenlijk van allerlei wensen en beelden en reflexen die ons onder invloed van triggers domineren en voortdrijven zonder dat het goed voor ons is, de maatschappij of de toekomst. Er zijn legio. Als we echter alle reclame, media uitsluiten en alleen boeken lezen of zelf activiteiten ondernemen, dingen maken of andere mensen helpen leven we nog steeds in een maatschappij waar bijna iedereen zich van alles laat wijsmaken en zich op veel momenten laat sturen omdat hun aandacht en wilskracht verzwakt is. De fossiele destructieve economie is het makkelijkst voor iedereen om zich aan te conformeren. Een alternatief lastig, terwijl alle zaken die we plezierig vinden binnen de economie bereikbaar zijn.

Zolang we als een soort geprogrammeerde robot door het leven gaan is niet zeker of wat we nastreven ook goed voor ons is. Het is immers iemand anders zijn idee (of dat van een algorithme). Wat wil je zelf, wat vind je zelf belangrijk? Dat is ook een kwestie van ervaren, en die ervaring is vaak heel duur of in een economisch jasje gestoken.

Links (Energie) Nationalisme

Links en Rechts zijn frames die voor altijd geassocieerd zullen blijven met extreme voorbeelden uit het verleden, maar er is wel degelijk een duidelijke basis voor Rechts aan te wijzen : Het fossiele krediet systeem oftewel wat we tegenwoordig kapitalisme noemen. Rechts dient het fossiele kapitalisme, dus de banken en dat doet Rechts omdat het gelooft dat dat het beste idee is. Helaas zit er nog een aspect aan ons moderne geld, namelijk dat het niks waard zou zijn zonder fossiele energie die we er voor kunnen kopen. Daarmee is Rechts dus fundamenteel pro-fossiel.

Rechts is gevormd door bankaire en fossiele belangen

De kracht van Rechts kapitalisme is dus dat er een bijna onuitputtelijke energiebron achter zit, die werd eigenlijk pas echt ontketend toen Nixon de goudstandaard losliet, zodat de Federal Reserve in de VS geld kon drukken waarvoor het dan olie kon importeren alsof deze al eigendom was van de VS. In Europa gebeurde iets soortgelijks, onze olie afhankelijkheid had soortgelijke structuur, maar in principe werkte het voor Nederland zo dat aangezien wij de olie in Indonesie en elders produceerden we altijd konden rekenen op olie voor onze guldens. Noorwegen heeft nog steeds zo’n situatie, het produceert olie en gas, en dus heeft de Noorse Kroon internationaal koopkracht. Rechts bestaat uit dienaren van de banken, fossiel en industrie in NL, dus het is helemaal geen democratische partij of politieke stroming, meer een antwoord op de vraag : Wie speelt de lakei rol het meest effectief?

Links was ooit een beweging voor arbeiders, maar door de overvloed aan fossiel en de nederlandse rijkdom als energie rotonde kregen arbeiders het zo goed dat er op links weinig van de ‘socialistische beweging’ over is. Nu worden de arbeiders belangen meestal door iemand behartigt die eigenlijk knetter rechts is. De industrie redeneert dat je sommige mensen arm moet houden anders gaan ze andere dingen doen. Arbeid is nog steeds nodig, het systeem is wel aan het automatiseren en robotiseren, maar banken houden van fossiele cashflow dus al te efficient mag het ook weer niet, getuige alle kleine bakkerijen en koffie tentjes die we hebben. Dit is allemaal georganiseerd door Rechts, alles waar banken of fossiel achter staan voeren ze uit. Niet altijd wat de overige industrie wil, als deze bijvoorbeeld minder fossiele energie willen gebruiken of een eigen valuta creeren om minder te hoeven lenen.

‘Linkse’ partijen werden door rechts de taak gegeven de overvloedige welvaart eerlijker te verdelen, maar die tijd is voorbij

Het nadeel van het rechtse denken is dat niet veel mensen het doen. Er zijn zeker een hoop welvarende nederlanders die op de VVD stemmen maar dat zijn er niet genoeg. Het fundament van Rechts, dus fossiel en de banken hebben daarom een aantal andere bewegingen gesponsord, soms via via. De beweging van Baudet bijvoorbeeld, maar ook Wilders, beide nemen redelijk verwarde burgers, of bepaalde simplistische denkwijzen en gebruiken die om gekozen te worden. Kenmerkend voor beide is dat ze pro-fossiel zijn en tegen klimaatactie. Dat is omdat dat hun basis is. Heel Rechts is pro-fossiel en zou niet bestaan zonder de fossiele spelers die hen in het zadel houden.

Als Linkse partij heb je dus eigenlijk niks. Je had het idee dat de welvaart over een grotere groep gelijk verdeeld moet worden, maar dat was fossiele welvaart en daar was je zelf geen ‘eigenaar’ van. Als je als Linkse partij op de hand van Banken en Fossiel ging dan kreeg je wel tractie, maar dan was je niet langer Links volgens de definitie. Die periode heeft Nederland ook gehad met PVDA politici die van Shell afkomstig waren en later bij banken gingen werken. Het is een feit dat Nederland een welvarend land was met veel sociale voorzienigen maar in Den Haag was de koers pro fossiel, pro Tata Steel, pro Schiphol, pro Chemelot, pro lozen in de Schelde en bunker brandstof, een grote smerige industrieele zooi werd afgedekt omdat mensen comfortabel waren en de NOS hen liet zien dat het Rechts bestaan best goed was (en dat was het vaak ook, nu zien we vaker barsten in hun visie).

Rechts verzamelt stemmen met het uitdragen van denkbeelden waar het niks om geeft

Rechts wordt nu met behulp van Baudet steeds extremer, en nationalisme (wat al een beetje bestond als Wilders xenofobie, ineffectief anti-islamisme) en fascisme steken de kop op. Alle bozen groepen worden door Rechts opgeeist want het is oorlog. Fossiel ligt zwaar onder vuur. Het eind is in zicht, er zijn klimaat doelen, een taxonomie waardoor investeringen van banken gestuurd kunnen worden (behalve dat de lobby probeert kernenergie en bomen als brandstof en zelfs gas er in toe te laten). De VVD en D66 hebben zich onmogelijk gemaakt ondanks een ‘klimaat bewust’ regeerakkoord. De VVD kan heel goed falen als het dat wil, en D66 is in feite de VVD en stemt door het regeer akkoord iig mee met Rechts. De boosheid van kiezers wordt zo veel mogelijk gebruikt, maar niet dat van mensen uit Groningen!!! Want Baudet is Rechts dus pro fossiel. Elke andere woede zal hij gretig gebruiken en zo valt hij keihard door de mand.

Maar nationalisme hoort logischerwijs meer bij Links. Als je Links definieert (zoals je zou moeten) als ‘anti-fossiel’, immers de oorsprong ligt bij de arbeider, bij de boer die zijn opbrengst deelt omdat men er samen aan gewerkt heeft (weet u nog, de RABO ooit). Het ligt bij het gebruiken van verspreide middelen, de inzet van veel mensen om elkaars leven beter te maken. De Rechtse frame van Links is dat het ook eens in die geldpot van Rechts wil graaien, die fossiele welvaart. Maar dat regelt Rechts al en zo heb je dus over de hele wereld Faux Linkse politici zoals Bernie Sanders, Elisabeth Warren die zeuren over de persoonlijke rijkdom van Elon Musk of Jeff Bezos. Ze doen het werk van de banken door arme hard werkende (en dan ook werkelijk) een woede te laten voelen bij iets waar ze absoluut niks aan gaan doen of kunnen doen, wat bovendien nergens op slaat(zie mijn andere post over miljardairs) maar wat mensen wel naar geld doet verlangen (dus banken machtig houdt).

Links wil welvaart zonder banken of fossiel, op basis van wind, zon en andere lokale duurzame energiebronnen

Echt Links is tegen fossiel, is voor duurzame energie. Waarom? Omdat je dan op veel plekken kunt produceren zonder ‘economische druk’, dwz je kunt zelf eigenaar zijn van de energie bron en dan heb je geen bank meer die achter je winstgevendheid aanzit. Met duurzame energie kan makkelijk alle energie voor Nederland worden opgewekt, als je even wat groter denkt. Leg gewoon het Markermeer half vol met zonnepanelen, dan kun je alle electriciteitscentrales uitschakelen. Dit is het idee achter de Markermeerzonnecentrale.nl.

Links moet gewoon als uitgangspunt nemen dat het zo snel mogelijk alle energie fossiel- en kernenergie vrij wil maken (dus je hebt geen super experts nodig en haalt je geen decennia lange gefinacierde projecten op je hals), maar wind, zon geothermie en golf energie voor alle productie, diensten, vervoer en comfort. Dit kan Links allemaal zelf regelen, dat doet ze al voor een groot deel, maar er is nog niet duidelijk het begrip dat ze hier een totaal andere koers vaart dan Rechts, maar wel een waarmee ze macht kan opbouwen en behouden. Ze moet er niet bij Rechts om vragen!

Zon en wind energie wordt lokaal opgewekt, en moet in eigendom zijn van de mensen die in de buurt wonen, of van de overheid zijn.

Wat voor de macht van Links op deze basis nodig is is een beseft dat banken zich niet met duurzame energie moeten bemoeien. Ook de fossiele sector niet. Duurzame energie is van een dorp, stad, regio, provincie of land. Het is een fundamenteel lokaal iets. En als je in Emmen 100 MW zonnestroom opwerkt en het wordt pas in Zwolle een keer nuttig gebruikt (behalve voor wooncomfort) dus bv. in een kunstmest fabriek of broodbakkerij of door een boer die electrisch ploegt. Dan zijn er geldstromen tussen Emmen en Zwolle en deelt iedereen mee in de lokale creatie van weelde uit bv. landbouw of de bakkerij. Dat geld kan bij de energie bron gecreerd worden en hoeft niet van een bank te komen! Met hernieuwbare energie is weelde iets dat op veel verschillende plekken onafhankelijk opgewekt gaat worden en door een overheid over de bevolking verdeelt moet worden door de energie die mensen gebruiken deels via belasting te herverdelen (geld is immers energie krediet, nu nog fossiel krediet zoals boven wel duidelijk werd). Dit is een nieuw type economie, meer lijkend op de agrarische. Hoe deden boeren dat die voor 1000 mensen voedsel verbouwden met 20 man?

De hoge gasprijzen zijn een prima reden voor een Links offensief voor een energie bron ter grote van de Markermeerzonnecentrale.nl

Links moet hier bovenop zitten. Duurzame energie in lokaal eigendom, distributie van die energie en gebruik ervan is het domein van Links. En door de lokale aard van de productie is eigenlijk ook nationalisme het domein van links. Voor Rechts is nationalisme totaal niet van belang, de industrie plukt de mensen van waar het maar wil op de wereld, drijft op multinationals en globalisme, verhuist zo naar een ander land. Maar daar kun je niet op rekenen in de post-fossiele wereld, of na een werkelijk effectieve kentering om emissies te reduceren. Dan moet de energie van dichtbij komen en zal Nederland voor Nederland moeten zorgen (want er zal voorlopig overal een tekort zijn).

Nederland zal energetisch op zichzelf worden teruggeworpen na serieuze reducties van emissies. Er ontstaat een nieuw energie en handels nationalisme

Nederland loopt ook nog onder, en de chaos is niet iets wat we moeten omarmen maar voorkomen. Daarom is het zelfs nodig om zo snel mogelijk meer besef te krijgen van een land dat we moeten behouden, en dat de energie die daarvoor nodig is niet van fossiele bronnen kan komen, banken vinden dat ook helemaal niet interessant, ze verhuizen waar ze de meeste cashflow kunnen hebben, en is dat niet Nederland, dan zijn ze zo weg. Met duurzame energie kun je echter eindeloos dijken ophogen, de energie van de zon raakt voorlopig niet op. Hoe gaan we de verandering van ons land uitvoeren als we de bouw van duurzame energie bronnen niet serieus accelereren. Dit is het domein van Links, de machtsbasis, de manier om veiligheid en een toekomst voor Nederland te schetsen en problemen op te lossen. Ze beantwoorden de vraag : Hoe gaat Nederland deze uitdaging aan?

Parallel Structures

If you watch the below video you can recognize that modern society is super sensitive to being indoctrinated and pushed into a schizophrenic mindset, a psychosis, in which falsehoods are considered true and people don’t even get around to contemplating their reality with effective mental equipment because of stacked lies and fables they became sensitive to..

How to get out of it? Havel found that ‘parallel structures’ where a way to escape the totalitarian lies. A part of society that lives in the same physical world, but not in the same moral world as the one that is being mentally distorted. This can be a religious group, an ideological movement with or without realistic objectives or motives. This is why many totalitarian regimes where against religions and cultural minorities.