Saturday, May 28, 2016
So, what the americans want is to replace Lajes Air Force Base by moving to Sargasse Island, then, make the Ascension Island route to south, and get to Cammeroon , and control all proxy war from Africa to all midlea east.
the americans changed all their world strategy since the dumping of oil can be made from the rocks, so they are much more interessed in proxy war, and control all Africa, forgetting the midlea east priority
so their Clauswitz now, is to get on the enemy back, and close all the arms importing from the east africa coast
so, to power balance Russia, you need to confront them and get rid of them in Djibouti
Friday, May 27, 2016
I've been searching in how to hack the periphericals plugs power turn on turn off, and I foud out that some pins control other ports besides the one's they were reserve to. but then..I found this arduino controlling pins over the internet...this is good both to access encrypted url's on drones for instance, but specially for hacking satellites from any stollen military radio
Pin Control Over the Internet – Arduino + Ethernet
In a previous article
we showed you how to control digital pins over over serial, and showed
how such a simple thing can be so powerful. One major downfall with that
is you need to be nearby to send commands… So today we are going to
look at doing the same thing, but this time we will be doing it over the
internet using the Arduino Ethernet Shield.
As per our usual style, I am going to make this as simple as possible
so it is easier to extend. So if you you are looking for something with
an HTML interface, this article will not be covering that.
The Arduino Ethernet Shield is capable of being both a client (like a web browser), and a server, and with the onboard SD card-slot can be quite powerful by hosting up full websites, but for this article we are just looking at using the Arduino as a server and you will control it simply by going to a specific URL.
Note that the Ethernet Shield uses digital pins, 10, 11, 12, and 13 for itself, so it is best to leave these alone and not try to use them for anything else.
Without an extra library,
the ethernet code does not support DHCP and therefore requires that we
hardcode the IP Address,gateway address, and subnet mask for your
network. This isn’t really that hard, it is more of a pain when
especially if you want to plug it into a different network as the same
settings may not work.
As of Arduino 1.0, the library does support DHCP So you should be able to just plug it into your network and have it work. It will report the ipAddress to the serial monitor
We also left the code in there to do a manual setup if you prefer doing it that way. (I know I do) If you are familiar with your network and how to do this, awesome, just make sure you change the setting at the top of the code to fit your network, and un comment out the parts related to it. If you are not familiar with it, we can help you in the forum, and have posted some general help in there as well.
The Arduino Ethernet Shield is capable of being both a client (like a web browser), and a server, and with the onboard SD card-slot can be quite powerful by hosting up full websites, but for this article we are just looking at using the Arduino as a server and you will control it simply by going to a specific URL.
Note that the Ethernet Shield uses digital pins, 10, 11, 12, and 13 for itself, so it is best to leave these alone and not try to use them for anything else.
Getting It On The Net
Getting the ethernet shield on the internet is going to differ depending on your network, but no matter what, you need to plug it into an ethernet port connected to the internet – So make sure you do that.As of Arduino 1.0, the library does support DHCP So you should be able to just plug it into your network and have it work. It will report the ipAddress to the serial monitor
We also left the code in there to do a manual setup if you prefer doing it that way. (I know I do) If you are familiar with your network and how to do this, awesome, just make sure you change the setting at the top of the code to fit your network, and un comment out the parts related to it. If you are not familiar with it, we can help you in the forum, and have posted some general help in there as well.
Hooking It Up
Aside from plugging the Ethernet Shield into you Arduino, there isn’t really anything you HAVE to have. I have LEDs on pins 2-9 on this example so we can see it being controlled. If you do not intend to blink LEDs or test the code with LEDs, you can by all means leave these off.Code
Assuming the the ip address of the arduino is 192.168.1.167 (check the serial monitor to see what it is), this code will allow you to send a sequence to the arduino via your web browser like so: http://192.168.1.167/?23456789The way the code is currently setup is that the pins will go high one at a time, in sequence, for 25ms then move on to the next in line. So this example would blink pin 2,3,4,5,6,7,8 then 9.
As it stands, the user will not see the webpage return until the arduino is finished processing the request. You could change the code to return right away and then process the request afterwards if needed, but I liked seeing the return after it was completed – like a receipt, instead of an order.
//ARDUINO 1.0+ ONLY //ARDUINO 1.0+ ONLY #include#include boolean reading = false; //////////////////////////////////////////////////////////////////////// //CONFIGURE //////////////////////////////////////////////////////////////////////// //byte ip[] = { 192, 168, 0, 199 }; //Manual setup only //byte gateway[] = { 192, 168, 0, 1 }; //Manual setup only //byte subnet[] = { 255, 255, 255, 0 }; //Manual setup only // if need to change the MAC address (Very Rare) byte mac[] = { 0xDE, 0xAD, 0xBE, 0xEF, 0xFE, 0xED }; EthernetServer server = EthernetServer(80); //port 80 //////////////////////////////////////////////////////////////////////// void setup(){ Serial.begin(9600); //Pins 10,11,12 & 13 are used by the ethernet shield pinMode(2, OUTPUT); pinMode(3, OUTPUT); pinMode(4, OUTPUT); pinMode(5, OUTPUT); pinMode(6, OUTPUT); pinMode(7, OUTPUT); pinMode(8, OUTPUT); pinMode(9, OUTPUT); Ethernet.begin(mac); //Ethernet.begin(mac, ip, gateway, subnet); //for manual setup server.begin(); Serial.println(Ethernet.localIP()); } void loop(){ // listen for incoming clients, and process qequest. checkForClient(); } void checkForClient(){ EthernetClient client = server.available(); if (client) { // an http request ends with a blank line boolean currentLineIsBlank = true; boolean sentHeader = false; while (client.connected()) { if (client.available()) { if(!sentHeader){ // send a standard http response header client.println("HTTP/1.1 200 OK"); client.println("Content-Type: text/html"); client.println(); sentHeader = true; } char c = client.read(); if(reading && c == ' ') reading = false; if(c == '?') reading = true; //found the ?, begin reading the info if(reading){ Serial.print(c); switch (c) { case '2': //add code here to trigger on 2 triggerPin(2, client); break; case '3': //add code here to trigger on 3 triggerPin(3, client); break; case '4': //add code here to trigger on 4 triggerPin(4, client); break; case '5': //add code here to trigger on 5 triggerPin(5, client); break; case '6': //add code here to trigger on 6 triggerPin(6, client); break; case '7': //add code here to trigger on 7 triggerPin(7, client); break; case '8': //add code here to trigger on 8 triggerPin(8, client); break; case '9': //add code here to trigger on 9 triggerPin(9, client); break; } } if (c == '\n' && currentLineIsBlank) break; if (c == '\n') { currentLineIsBlank = true; }else if (c != '\r') { currentLineIsBlank = false; } } } delay(1); // give the web browser time to receive the data client.stop(); // close the connection: } } void triggerPin(int pin, EthernetClient client){ //blink a pin - Client needed just for HTML output purposes. client.print("Turning on pin "); client.println(pin); client.print(" "); digitalWrite(pin, HIGH); delay(25); digitalWrite(pin, LOW); delay(25); }
Extending This
By adding to, or changing, the switch statement in the code, you could easily add support for letters as well allowing you to call even more functions over the web. You can also change the code that is run if needed. So instead of blinking pins, maybe you control motor directions or timing. This could be easily be used for automation or art installations.If I can take the non ethernet version of this article and make web controllable bells, just imagine what you can do with this.
http://bildr.org/2011/06/arduino-ethernet-pin-control/
Thursday, May 26, 2016
Former commander of the Republic of Serb Krajina Army general major Mile Mrksic died in the detention facilities in Portugal where he was serving the sentence pursuant to the ICTY ruling, Radio Television of Serbia reported.
Serbian Deputy Prime Minister Rasim Ljajic announced on Saturday that
he will ask for immediate release for treatment in Serbia in case of
Mile Mrksic, who was transferred to the Lisbon prison in 2012.
ICTY sentenced Mrksic and several more Serbs in 1995 for mass murder of over 260 people at Ovcara in the vicinity of Vukovar. Mrksic willingly surrendered to the court on May 15, 2002.
The trial began in October 2005 and the ICTY Trial Chamber pronounced the verdict against Mrksic on September 27, 2007, sentencing him to 20 years of imprisonment for aiding and abetting torture, brutal treatment and murder of 194 Croatian inmates at a farm in Ovcara on November 20, 1991.
http://inserbia.info/today/2015/08/mile-mrksic-dies-in-detention/
ICTY sentenced Mrksic and several more Serbs in 1995 for mass murder of over 260 people at Ovcara in the vicinity of Vukovar. Mrksic willingly surrendered to the court on May 15, 2002.
The trial began in October 2005 and the ICTY Trial Chamber pronounced the verdict against Mrksic on September 27, 2007, sentencing him to 20 years of imprisonment for aiding and abetting torture, brutal treatment and murder of 194 Croatian inmates at a farm in Ovcara on November 20, 1991.
http://inserbia.info/today/2015/08/mile-mrksic-dies-in-detention/
This was from the 90s, remember that guy in front of a tank in the Tiananmen Square ? Portugal at the time had Macau, I believe those troops have been send to there, with Chinese tanks running in the middle of the roads and the Portuguese army mostly acting like an UN army, which means only shooting in last case if your life is in danger, so if they wanted to stop a tank they would place themselves in front of it, but just in case the tank didn't stop they would then roll down the tank or to the side.
https://www.reddit.com/r/WTF/comments/334ml9/portuguese_army_training/
BASE SECRETA EM OVAR
Eu tive um vizinho que jurou várias vezes a mim que a Avó dele tinha
trabalhado em instalações secretas na Base de Maceda/Ovar, numa espécie
de base secreta subterrânea (para além da que existe e é visivel).
que até o final da Guerra Fria havia uma base secreta em Ovar onde estavam escondidas armas nucleares da NATO.
Também me lembro que se dizia que o Comando da NATO em Oeiras tinha um elevador que levava as pessoas para vários níveis abaixo de terra e que havia um cais subterraneo para submarinos em Oeiras.
Já estive em Maceda, que me serviu de voos em alguns aparelhitos mais rústicos.
A menos que se tenha feito algum milagre de engenharia, constato:
solo arenoso;
nível freático elevado que exige cuidados suplementares na impermeabilização;
ambiente húmido salino.
A apróximação à base é feita através de florestas de pinheiros, na sombra, o que deve aumentar a sensação de "mistério".
Bem a titulo de curiosidade, sei que houve planos para a construção de uma base americana, durante a guerra fria, no cimo da serra da Cabreira em Vieira do Minho (Gerês)... ainda hoje ha vestigios das obras então iniciadas. Alguem tem mais informações sobre esta materia? Esta zona ainda é nos nossos dia utilizado como area de treinos e fogo real para exercicios e preparação dos militares (nomeadamente do regimento cavalaria de Braga).
http://www.forumdefesa.com/forum/index.php?topic=8525.0
que até o final da Guerra Fria havia uma base secreta em Ovar onde estavam escondidas armas nucleares da NATO.
Também me lembro que se dizia que o Comando da NATO em Oeiras tinha um elevador que levava as pessoas para vários níveis abaixo de terra e que havia um cais subterraneo para submarinos em Oeiras.
Já estive em Maceda, que me serviu de voos em alguns aparelhitos mais rústicos.
A menos que se tenha feito algum milagre de engenharia, constato:
solo arenoso;
nível freático elevado que exige cuidados suplementares na impermeabilização;
ambiente húmido salino.
A apróximação à base é feita através de florestas de pinheiros, na sombra, o que deve aumentar a sensação de "mistério".
Bem a titulo de curiosidade, sei que houve planos para a construção de uma base americana, durante a guerra fria, no cimo da serra da Cabreira em Vieira do Minho (Gerês)... ainda hoje ha vestigios das obras então iniciadas. Alguem tem mais informações sobre esta materia? Esta zona ainda é nos nossos dia utilizado como area de treinos e fogo real para exercicios e preparação dos militares (nomeadamente do regimento cavalaria de Braga).
http://www.forumdefesa.com/forum/index.php?topic=8525.0
SIS has intervened in Tecnia /Ferreira Court case in force of
authorizations based on the assumption that Tecnia /Erdevel case is
involving "state secrets." This is a "privilege" that is used rarely in
US, and with prudence, because of the strong roots of civil rights; such
a use in Portugal for a fraud in indirect offset, that is treated at
the same level of terrorists's and suspected terrorists's renditions, is
absolutely out of any state security logics.
The level of civil actions by Erdevel Europa - LGT and the request for Tecnia's bankrupcy by a shell company based in Liechtenstein is problematic. The disappearance of papers from the trial, the silence of Ferreira's lawyers about it, the presentation of fake and counterfeited documents by Erdevel, Lovells, and VdA, Pocalyko's patent and embarrassing perjuries in Torres Vedras Court, the involvement of a legal company paid by the state (Rui Pena, Arnault: a partner is secretly
in the Defense Commission and the other Partner is a former Minister of
Defense) are the clear signs the SIS was involved in court. SIS is
responsible, that is, there is no evidence of corruption of the judge.
SIS intervention is unjust, but "legal," that is authorized by the
executive branch. There is, however, a seriously illegal aspect of
their intervention, that is, they should have claimed that it was no
matter for civil/criminal courts, but a matter pertaining to the
executive branch (PM, Defense minister, SIS, etc). Openly.
The reason why they did not claim secrecy privilege in court, forcing the end of the public trial, is at least based on two points:
1) There is an economic issue at stake, money for the damages they have provoked or they have permitted to be done to Tecnia and to your family. Culpa in vigilando, at least: they knew about the offset and the pre-offset, since they authorized and certified it.
2) There is a problem to claim state secret privilege for an environmental indirect offset, even if it is connected with 300 mil euro Portuguese purchase from Styer / General Dynamics.
SIS is extremely strong within Portugal's borders, with several dissuasions methods for journalists and lawyers. I still wonder how you have been able to put up with their pressure so far. Maybe you are more Portuguese than Isabel, Rui Vicente and Antero Luis, that is, you are more stubborn.
The illegality is that they are acting in this way because they want you to pay for other civil servants's mistakes in the evaluation of Pocalyko / Erdevel Europa indirect offset fraud, for the lack of supervision by CPC and Pedro Catarino, etc.
These are not unfortunate events, acts of God, or effects of the global economic crisis: Erdevel Europa is a planned fraud, still stealing money from Portugal's taxpayers (not only from you and your family).
This also implies personal responsibility by some civil servants and your rights to claim state compensation for what happened in the Erdevel Europa / LGT fraud.
The Erdevel Europa Ponzi Pocalyko frauds are more and more a nightmare for Portuguese and also several European Politicians.
The problem in fact was easy to solve, like the Belgians did. But it became a terrible mess in Portugal, where Pocalyko and his Offset Gang decided that it would be possible to convince Judges, Prosecutors, Lawyers, Ministers, and so many others, that I was the "escape got" for the whole ponzi Pocalyko frauds.
The case is now entering into the most intense fight: in one side, the Judicial system ignoring all the evidences of the Pocalyko frauds, on another side all the politicians "whistler to the side", as if they have nothing to do with the case.
An example: the insolvency classification of Tecnia, if continues with the same mistakes ( if not to say a real bad comment about the Judge), may represent an illegal emission of up to 15 million euro CPC certificates in favor to Steyr/ General Dynamics? Or to say the same : the Portuguese State will lose 15 million euro offsets. Just with a " manipulated " insolvency classification obtained over a criminal abuse of the law and justice to obtain a fraudulent insolvency of Tecnia.
This is just an example.
The big problem started in 2003:
in 2003 somebody in political / state authorities authorized in Portugal, Belgium, Italy and Germany a clandestine ( thus illegal ) indirect offset, assembled by Michael Pocalyko.
why was this illegal and clandestine offset authorized ?
The answer to this question is well known by SIS, for sure.
So, they just need to solve the scandal, as it urges.
The very next weeks, we will be looking into the authorities and observing their behavior: we ask the State authorities to produce a clear and public statement about the case. Citizens have the right to be informed and to know what the State have to say about the Ponzi Pocalyko offset frauds against Portugal, Belgium, Italy, Germany and Saudi Arabia.
If they keep hiding the case, as they have been doing until now, then we will be sure about the case.
The level of civil actions by Erdevel Europa - LGT and the request for Tecnia's bankrupcy by a shell company based in Liechtenstein is problematic. The disappearance of papers from the trial, the silence of Ferreira's lawyers about it, the presentation of fake and counterfeited documents by Erdevel, Lovells, and VdA, Pocalyko's patent and embarrassing perjuries in Torres Vedras Court, the involvement of a legal company paid by the state (Rui Pena, Arnault: a partner is secretly
The reason why they did not claim secrecy privilege in court, forcing the end of the public trial, is at least based on two points:
1) There is an economic issue at stake, money for the damages they have provoked or they have permitted to be done to Tecnia and to your family. Culpa in vigilando, at least: they knew about the offset and the pre-offset, since they authorized and certified it.
2) There is a problem to claim state secret privilege for an environmental indirect offset, even if it is connected with 300 mil euro Portuguese purchase from Styer / General Dynamics.
SIS is extremely strong within Portugal's borders, with several dissuasions methods for journalists and lawyers. I still wonder how you have been able to put up with their pressure so far. Maybe you are more Portuguese than Isabel, Rui Vicente and Antero Luis, that is, you are more stubborn.
The illegality is that they are acting in this way because they want you to pay for other civil servants's mistakes in the evaluation of Pocalyko / Erdevel Europa indirect offset fraud, for the lack of supervision by CPC and Pedro Catarino, etc.
These are not unfortunate events, acts of God, or effects of the global economic crisis: Erdevel Europa is a planned fraud, still stealing money from Portugal's taxpayers (not only from you and your family).
This also implies personal responsibility by some civil servants and your rights to claim state compensation for what happened in the Erdevel Europa / LGT fraud.
The Erdevel Europa Ponzi Pocalyko frauds are more and more a nightmare for Portuguese and also several European Politicians.
The problem in fact was easy to solve, like the Belgians did. But it became a terrible mess in Portugal, where Pocalyko and his Offset Gang decided that it would be possible to convince Judges, Prosecutors, Lawyers, Ministers, and so many others, that I was the "escape got" for the whole ponzi Pocalyko frauds.
The case is now entering into the most intense fight: in one side, the Judicial system ignoring all the evidences of the Pocalyko frauds, on another side all the politicians "whistler to the side", as if they have nothing to do with the case.
An example: the insolvency classification of Tecnia, if continues with the same mistakes ( if not to say a real bad comment about the Judge), may represent an illegal emission of up to 15 million euro CPC certificates in favor to Steyr/ General Dynamics? Or to say the same : the Portuguese State will lose 15 million euro offsets. Just with a " manipulated " insolvency classification obtained over a criminal abuse of the law and justice to obtain a fraudulent insolvency of Tecnia.
This is just an example.
The big problem started in 2003:
in 2003 somebody in political / state authorities authorized in Portugal, Belgium, Italy and Germany a clandestine ( thus illegal ) indirect offset, assembled by Michael Pocalyko.
why was this illegal and clandestine offset authorized ?
The answer to this question is well known by SIS, for sure.
So, they just need to solve the scandal, as it urges.
The very next weeks, we will be looking into the authorities and observing their behavior: we ask the State authorities to produce a clear and public statement about the case. Citizens have the right to be informed and to know what the State have to say about the Ponzi Pocalyko offset frauds against Portugal, Belgium, Italy, Germany and Saudi Arabia.
If they keep hiding the case, as they have been doing until now, then we will be sure about the case.
why not change the mobile chargers and laptop baterries from security clearance personnel while they're out ??? and plug in on a new replacing one, with an wifi regulator access microcontroller
Over the past year, the ESP8266 has been a growing star among IoT or
WiFi-related projects. It’s an extremely cost-effective WiFi module,
that – with a little extra effort – can be programmed just like any
microcontroller. Unfortunately, the ESP8266 has mostly only been
available in a tiny, modular form, which, with limited I/O and a funky pin-out, can be difficult to build a project around.
Tuesday, May 24, 2016
Saturday, May 21, 2016
Let's say thanks to Deek !!!
first you can not digitalized a bank note on photoshop...they deny it!!
so here's how to it you digitalize withAdobe Imageready and click the
photoshop link and save as psd file and then open again in photoshop:
thanks Deek, really ne et!
http://cons.wonderhowto.com/how-to/print-counterfeit-money-1462/
FOR THE WATER MARK LAQUEAR BASE
http://moabpaper.com/desert-varnish-spray/
FOR THE 20 EUROS PRINTING, THE COLOUR INK:
http://www.gouletpens.com/diamine-majestic-blue-80ml-bottled-fountain-pen-ink/p/D7056
http://cons.wonderhowto.com/how-to/print-counterfeit-money-1462/
FOR THE WATER MARK LAQUEAR BASE
http://moabpaper.com/desert-varnish-spray/
FOR THE 20 EUROS PRINTING, THE COLOUR INK:
http://www.gouletpens.com/diamine-majestic-blue-80ml-bottled-fountain-pen-ink/p/D7056
Subscribe to:
Posts (Atom)