C3rd
IntelliJ IDEA + Java versions + Maven + Gradle
Posted: 5 Jun 2020, 11:57am - FridayOk, I have been writing java codes from quite some time now. And most common I forgot to set are the following areas to configure in IntelliJ IDEA.
- Project Structure - always set both Project SDK and Project Language Level

2. SDK - you have to define the JDK home path to use in your project
3. Java bytecode - ensure that you set the Project bytecode version and add your project in per-module bytecode version and define the target bytecode version.

4. Maven - pom.xml file

5. Gradle - build.gradle file

And if you fail to configure these versions, you'll end up seeing RED texts/icons.


git doesn't pull or push: "error: RPC failed; HTTP 502 curl 22 The requested URL returned: 502 Bad Gateway"
Posted: 29 Mar 2020, 19:59pm - SundayI recently encountered a weird error on my repo when I "git push" or "git pull" in Windows 7. But when I tried it on my Mac, Ubuntu & Windows 10, its working fine.

As shown above, that's the error I am getting when I pull/push. I tried the solution from others:

But unfortunately it didn't resolve my problem. Somehow, it did made it a bit faster.
I already tried many things, but I cannot find any solution that works for my problem. I know that the issue is just in my PC, even tried emptying my hosts file still didn't work.
Then a lightbulb popup, maybe I should delete my current repo and checkout again. So I did and resolve my problem. I can pull and push after that.
ASP.Net Core C#: Visual Studio 2019 missing UseSqlServer()
Posted: 21 Mar 2020, 0:17am - SaturdayFew days ago, been learning again ASP.Net C#, but this time its ASP.Net Core C#. It took me a while to resolve this issue because all the reference in the internet and stackoverflow were for Visual Studio 2017.
DotNet Version: 3.1 | IDE: VS 2019

In VS2017 might work just by adding:
use using Microsoft.EntityFrameworkCore;
But in VS2019, what works is both adding describe above and execute add package:
dotnet add package Microsoft.EntityFrameworkCore.SqlServer

after that, you problem should go away...

CentOS / RHEL 7 : How to create custom daemon service
Posted: 25 Jul 2018, 13:08pm - Wednesday# vi /root/firewalld.sh #!/bin/bash iptables -F iptables -LThen make this executable...
chmox u+x /root/firewalld.shthen you need to create the daemon service
# vi /etc/systemd/system/sample.service [Unit] Description=Description for sample script goes here After=network.target [Service] Type=simple ExecStart=/root/firewalld.sh TimeoutStartSec=0 [Install] WantedBy=default.targetdefinitions:
After= : If the script needs any other system facilities (networking, etc), modify the [Unit] section to include appropriate After=, Wants=, or Requires= directives. Type= : Switch Type=simple for Type=idle in the [Service] section to delay execution of the script until all other jobs are dispatched WantedBy= : target to run the sample script inthen cast the commands below:
# systemctl daemon-reload # systemctl enable sample.service # systemctl start sample.service # systemctl rebootafter rebooting, your script should be executed. Reference: https://www.thegeekdiary.com/centos-rhel-7-how-to-make-custom-script-to-run-automatically-during-boot/
[ssllabs.com] How to get "A+" on SSL Server test
Posted: 23 Mar 2018, 9:38am - FridaySSLProtocol all -SSLv2 -SSLv3 SSLHonorCipherOrder onThen save your changes and restart your Apache. That's it! You should get an A+ for that. Note: It was just recently that you have to turn on that SSLHonorCipherOrder or "Apache for Forward Secrecy" to ON. Reference: https://www.digicert.com/ssl-support/ssl-enabling-perfect-forward-secrecy.htm

PHP: about NULL vs 0
Posted: 18 Sep 2017, 20:43pm - Monday$parcelData = []; $jobVarObj = new JobsVarsTable(); $jobVarObj->setDrivers($this->getQueryDriver()); $prime_parcel = $jobVarObj->getVarValue($this->job_id, 'PRIMARY_PARCEL'); ... $q = "SELECT * FROM jobs_parcels WHERE JID = '%d' AND ID != '%d' AND Deleted IS NULL"; $sql = $this->getQueryDriver()->fetchAll($q, [$this->job_id, $prime_parcel]); $parcel_data_list = $sql->getData();In that codes above, the $parcel_data_list is always empty and I know there are 1 row results.

$parcelData = []; $jobVarObj = new JobsVarsTable(); $jobVarObj->setDrivers($this->getQueryDriver()); $prime_parcel = (int)$jobVarObj->getVarValue($this->job_id, 'PRIMARY_PARCEL', 'n'); ... $q = "SELECT * FROM jobs_parcels WHERE JID = '%d' AND ID != '%d' AND Deleted IS NULL"; $sql = $this->getQueryDriver()->fetchAll($q, [$this->job_id, $prime_parcel]); $parcel_data_list = $sql->getData();Then it solves my 2hrs problem!!! Ok that's my entry for half of 2017... hehehe.. Cheers!
How do I backup my e-mails?
Posted: 26 Mar 2017, 10:03am - Sunday


PH: Message to the World!
Posted: 25 Aug 2016, 21:26pm - ThursdayApache Cordova: Hybrid Mobile App
Posted: 9 Jul 2016, 11:32am - Saturday

$ cordova emulate androidThen you will see your app in the emulated android. So for the iOS side of it which took me while to figure it out the issues I encountered. First, you need XCODE in your mac or cast a command in CLI "xcode-select --install". Once you have XCODE installed, go to you project working directory and cast the following command:
$ sudo npm install -g ios-sim ios-deploy --unsafe-perm=trueNote for possible errors you will encounter:
- if you will not include the --unsafe-perm=true argument, you will get permission error and so on.
- Make sure all your iOS app icons are properly sized and follow Cordova icon guideline (click here). Fail to do so, will give you error about AppIcon content error...
- Make sure your iOS app icons are 72dpi (web standard). Fail to do so, will give you error about AppIcon content error...
$ cordova platform remove ios $ cordova platform add iosJust add and remove for some other issues and it would be fine. So if you succeed the command "sudo npm install -g ios-sim ios-deploy --unsafe-perm=true" then you will see something like:




OCZ SSD is the worst SSD!
Posted: 10 Apr 2016, 23:03pm - Sunday
C# WebRequest: Headers pitfall
Posted: 4 Jun 2020, 6:36am - ThursdayI have written my own WebRequest wrapper and it took me ages why I am getting a response of bad request. Hours of debugging, I realize that I have overwritten my Content-Type header with my Authentication-Authorization entries.
the issue:
WebRequest request = WebRequest.Create(url);
request.Method = method_request;
request.ContentType = "application/x-www-form-urlencoded";
/**
* dont add content-type header on authenticate
*/
if (!url.Contains("/authenticate"))
{
WebHeaderCollection whc = new WebHeaderCollection();
whc.Add("Auth-username", authorizationEntity.getUsername());
whc.Add("Auth-session-key", authorizationEntity.getSessionKey());
request.Headers = whc;
}
if (method_request.ToUpper() == "POST")
{
Stream stream = request.GetRequestStream();
byte[] postArray = Encoding.UTF8.GetBytes(flatten_post_data);
stream.Write(postArray, 0, postArray.Length);
stream.Close();
}
string Result;
try
{
Console.WriteLine(request.Headers.ToString());
StreamReader sr = new StreamReader(request.GetResponse().GetResponseStream());
Result = sr.ReadToEnd();
} catch(WebException e)
{
Console.WriteLine(e.Message);
Result = "[]";
}
the correct approach:
WebRequest request = WebRequest.Create(url);
request.Method = method_request;
/**
* dont add content-type header on authenticate
*/
if (!url.Contains("/authenticate"))
{
WebHeaderCollection whc = new WebHeaderCollection();
whc.Add("Auth-username", authorizationEntity.getUsername());
whc.Add("Auth-session-key", authorizationEntity.getSessionKey());
request.Headers = whc;
}
request.ContentType = "application/x-www-form-urlencoded";
if (method_request.ToUpper() == "POST")
{
Stream stream = request.GetRequestStream();
byte[] postArray = Encoding.UTF8.GetBytes(flatten_post_data);
stream.Write(postArray, 0, postArray.Length);
stream.Close();
}
string Result;
try
{
Console.WriteLine(request.Headers.ToString());
StreamReader sr = new StreamReader(request.GetResponse().GetResponseStream());
Result = sr.ReadToEnd();
} catch(WebException e)
{
Console.WriteLine(e.Message);
Result = "[]";
}
So that's it. lesson learn! LOL
COVID-19
Posted: 29 Mar 2020, 9:58am - Sunday
World Health Organisation (WHO) declared it as pandemic on 12 March 2019.
Rumors circulating that USA made the virus and planted in Wuhan, China. We all know that China and USA are in economic and cyber war for decades. In my opinion, this could be true because there's only two countries that really good at bio-warfare, that's USA and Russia.
On the other hand, USA accusing China that they created the virus so that the world will economically crushed and later China will buy the companies to increase their dominance. Its bold claim but its possible.
But for me, I still wonder why USA is so relax resolving or responding on the outbreak. Every countries affected were already in lockdown but not them. Probably they already have vaccine and wait until to show the world they were the most affected country from the outbreak? But actually they already have the vaccine because they created the virus? Who knows!
Anyway, looking to my birth-country, Philippines, from watching and reading the news, seems the crab mentality and political idiocy still over the top. NPA, UP activists, Dilawans still try to bring down the President Duterte amid of the COVID-19 outbreak. People doesn't listen to the government. Government officials uses their power and abuse it. Even they are tested positive, they break the rules they imposed. The virus is spreading fast and I see no future in Philippines same when I left my birth-country (that's when the corrupt Aquino ruled the country). People are rallying about the community quarantine while the rest of the affected countries around the world were already in lockdown. It seems its not serious for them. People don't understand the severity of the outbreak.
I think Philippines will have a higher deaths at the end of this outbreak. If not, it will be one of the countries that have highest number of deaths.
While in my new home country, New Zealand, I am very happy the Prime MInister Jacinda Ardern take the precautionary step to stop or to flatten the curve. We are on level 4 lockdown in New Zealand. Since my partner is a nurse and only her can see the current picture of the city, Its very disappointing that few people still going out and not staying home. Suppose to be "Stay home, save lives!" I hope the government impose more strict rules, no one will go out unless buying supplies. If citizens will not follow the COVID-19 rules imposed by the Government, this lockdown will take more longer than we thought.
Use magnetic field as ship propulsion
Posted: 29 Jan 2020, 9:08am - WednesdayI am not an astrophysicist nor great scientist but why we, humans, still use chemical or fossil fuel on getting to space and we know that it is not the answer. I am just wondering if animals able to harness the magnetic field, why are we not using earth's magnetic field as/for our ship propulsion. The very problem on getting to space is escaping our gravity. So if we use the magnetic field, I think it will very easy to escape from earth's gravity. Isn't it?
Electricity is also the the primary element to achieve this goal. Somebody keeps telling me that the answer or native source to our flight to space is magnet and electricity. Traveling from A to B with a distance of hundred thousands to millions of lightspeed can be achieved by magnetic equation + amount of electricity or power.
Once we achieve how to escape the gravity by using the magnetic field, this can be applied to any planets. It will be easy to get in and get out to a planet.
So, I think we really need to stop using chemical or fossil fuel and start using the correct element to achieve space flight. If not, we will not progress.
My Meme Generator (mymeme.app)
Posted: 16 Jul 2018, 12:08pm - Monday[securityheaders.io] Getting an "A"
Posted: 22 Mar 2018, 11:29am - Thursday# # to apply this settings, you must enable apache headers first... # e.g.: a2enmod headers # # headers customised by camilo3rd | 2018-03-22 ---- [start] # Header unset Content-Security-Policy #Header add Content-Security-Policy "default-src 'self'" Header add Content-Security-Policy "default-src * 'self'; img-src * 'self' data: 'unsafe-inline'; style-src * 'self' 'unsafe-inline'; script-src * 'self' 'unsafe-inline' 'unsafe-eval'; report-uri https://www.abcs.co.nz/violationReportForCSP.php;" Header unset X-Content-Security-Policy #Header add X-Content-Security-Policy "default-src 'self'" Header add X-Content-Security-Policy "default-src * 'self'; img-src * 'self' data: 'unsafe-inline'; style-src * 'self' 'unsafe-inline'; script-src * 'self' 'unsafe-inline' 'unsafe-eval';" Header unset X-WebKit-CSP #Header add X-WebKit-CSP "default-src 'self'" Header add X-WebKit-CSP "default-src * 'self'; img-src * 'self' data: 'unsafe-inline'; style-src * 'self' 'unsafe-inline'; script-src * 'self' 'unsafe-inline' 'unsafe-eval';" Header always set Referrer-Policy "same-origin" Header set X-Content-Type-Options "nosniff" Header set X-XSS-Protection "1; mode=block" #Header set X-Frame-Options "DENY" Header set X-Frame-Options SAMEORIGIN Header set Strict-Transport-Security "max-age=631138519; includeSubDomains" # # headers customised by camilo3rd | 2018-03-22 ---- [end] #Then save.. Restart your apache and that's it. You should get an A score.

- https://developers.google.com/web/fundamentals/security/csp/
- https://content-security-policy.com/
NASA’s Kepler Telescope Discovered Artificial Alien Megastructure
Posted: 29 May 2017, 10:34am - MondayHow do you kick a benign user off your system?
Posted: 7 Dec 2016, 22:17pm - Wednesdayroot@alphaone:~# who -u root pts/1 2016-12-08 11:02 . 7953 (192.168.0.99) camilord pts/2 2016-12-08 10:59 . 7625 (192.168.0.7)Laugh at their impending disconnection (this step is optional, but encouraged)
root@alphaone:~# echo "HAHHAHAHAHAHA... BYE!" | write root pts/1 write: write: you have write permission turned off.Kill the corresponding process:
root@alphaone:~# kill -9 7953Reference: http://unix.stackexchange.com/questions/615/how-do-you-kick-a-benign-user-off-your-system
MD5 File Hash for C# and PHP
Posted: 14 Aug 2016, 10:06am - Sundaypublic static string md5_file(string fileName) { FileStream file = new FileStream(fileName, FileMode.Open); MD5 md5 = new MD5CryptoServiceProvider(); int length = (int)file.Length; // get file length byte[] buffer = new byte[length]; // create buffer int count; // actual number of bytes read int sum = 0; // total number of bytes read // read until Read method returns 0 (end of the stream has been reached) while ((count = file.Read(buffer, sum, length - sum)) > 0) sum += count; // sum is a buffer offset for next reading byte[] retVal = md5.ComputeHash(buffer); file.Close(); StringBuilder sb = new StringBuilder(); for (int i = 0; i < retVal.Length; i++) { sb.Append(retVal[i].ToString("x2")); } return sb.ToString(); }For PHP:
<?php echo md5_file($filename_with_fullpath); ?>Hope this helps... Thanks to: http://stackoverflow.com/questions/15705676/different-md5-file-hash-in-c-sharp-and-php
Bash: File Server Hourly Backup Script
Posted: 11 May 2016, 3:04am - Wednesday#!/bin/bash cd /backup/ DATE=$(date "+%Y%m%d%H%M%S") BACKUPNAME="jdrive_$DATE" mkdir $BACKUPNAME # find -mtime -1 | xargs cp -t --parents "$BACKUPNAME/" find /jdrive/ -mmin -60 -exec cp --parents '{}' "$BACKUPNAME/" \; tar -zcvf "ibackup/$BACKUPNAME.tar.gz" "$BACKUPNAME/" rm -rf "$BACKUPNAME/" # file and delete all files smaller than the specified filesize find /backup/ibackup/ -name "*.gz" -size -500 -delete # file and delete all files that are older than 45 days find /backup/ibackup/ -mtime +45 -type f -exec rm -rf {} \;Here you go... My home-brewed incremental backup script. We usually use duplicity but it failed us twice. So, we are using now both my home-brewed script and duplicity. Oh! by the way, I used this script for our file server only.
iMac Reset Password or Factory Reset without losing the data
Posted: 25 Mar 2016, 5:57am - Friday:/ root# mount -uw /Now after mounting the root path, you have two option here, factory reset or reset password of a user so you can access the files. Factory Reset In factory reset, all you need is to delete the file /var/db/.applesetupdone then OS X will detect that the system has run the first time (but the data are all intact).
rm /var/db/.applesetupdoneUser Reset Password In user reset password, this is what you will do:
- go to /Users directory then list the files and folders
- whoever you want to reset the password, just type passwd <username>
- then this will ask you for the new password and confirm new password
- that's it
:/ root# cd /Users :/ root# ls -lsa :/ root# password user1 Enter New Password: Confirm Password: :/ root# rebootthen type exit or reboot or restart the machine. then you all good to go...
GitLab: docker DNS issue and container already in use
Posted: 6 May 2020, 21:46pm - WednesdayI decided to create another stage to test our API in GitLab CI runner using postman/newman
. I made it work but there are issues from time to time like DNS issue and "container already in use" (see screenshot below). The common error that occurs most of the time is the DNS issue.

In my various experiments, I managed to resolve the `container already in use` issue by adding the container name with commit ID from gitlab.


However, since I implemented the commit ID on the container, the DNS issue reduced from 8/10 fails to 2/10 fails. It still fail time to time, its not perfect but for now its tolerable. I hope there's a better solution.

ASP.Net Core C#: Handling new lines in Razor view
Posted: 21 Mar 2020, 20:52pm - SaturdayI've been programming using PHP for a long time, and its funny I am struggling to do it on ASP.Net Core C#. In PHP, all you need to do is call the function "nl2br()" and that's it.
In this blog, I am reminding myself how to do it in ASP.Net Core C#. There are two ways how to resolve my issue:


I think that's it... Hope for the readers of this post looking for answers like me will help you as well.
zsh -> grml
Posted: 18 Nov 2019, 1:09am - Monday$ sudo apt install -y zshdownload grml's zsh configuration
$ cd ~/; wget -O .zshrc https://git.grml.org/f/grml-etc-core/etc/zsh/zshrcthen run zsh
$ zshthat's it.. will look like this:

chsh -s /bin/zshor
camilord@camilo3rd-ubuntu /srv/localhost/alpha1v1 (git)-[3508-fixing-unit-test] % chsh Password: Changing the login shell for camilord Enter the new value, or press ENTER for the default Login Shell [/bin/bash]:
Can LIGHT be use as propulsion?
Posted: 8 Jul 2018, 12:07pm - SundayNZ Companies Register API
Posted: 25 Feb 2018, 3:50am - Sundayuse camilord\NZCompaniesRegister\NZCompaniesRegister; $obj = new NZCompaniesRegister(); $result = $obj->search('blue horn'); print_r($result);Cheers!
Backup your files on any Android smartphones
Posted: 15 Apr 2017, 12:05pm - Saturday- Install an App in your phone called "SSHD"
- after installing, create a server and set the port then add a user
- start the server or SSHD
- once started, it will show the IP address where your SSHD can be connected
- Then in your Desktop computer or laptop (PC/Mac) , install FileZilla
- Remember, your phone and computer should be connected to the same WiFi or network.
- Open your FileZilla, go to site manager and add new site
- Enter the IP address provided in step 1 then port, username and password.
- On protocol, select SFTP (SSH File Transfer Protocol) then connect
- After connecting, it will give an error like cannot read directory because its reading to "/" root directory. In Android, the default storage of the files will be "/storage/" so just change the address bar on Filezilla and press enter and this will show you few directories.
- Just find the folder you want to backup and drag to your computer.
- Wallah! You just backup your smartphone files.
True History of the Philippines
Posted: 28 Nov 2016, 11:29am - MondayANG HINDI ITINUTURO NG MGA PAARALAN, ISISIWALAT!![]()
MARCOS Wealth/Gold! The Cojuangco-Aquino Family envy Ferdinand Marcos because of Ferdinand Marcos's personal wealth given by his former client the Tallano royal family of the Philippines who is the real owner of our country. The tallano was the richest royal family in the history of man. Richer than any ancient empires/kingdoms, they hired Marcos as their family lawyer and pay him hundred thousand tons of gold bars. About the so called ill-gotten wealth that the Aquino administration accuses the Marcoses is a lie. FEM has a major role in the world and it is the Monetary-1.Take Note: MONETARY-1 Actually, the Aquino’s are puppets by those who wanted to bring Marcos down ‘coz they wanted to have the wealth that belongs to mankind who's been under FEM hands. Search about MONETARY-1 and the answer were out there! Q: Bakit may nag mamay-ari ba na isang pamilya sa bansang Pilipinas? Paano po nangyari iyon? A: Our country was a kingdom before, called the Maharlika kingdom, ruled by the great DATU's such as Datu Puti and Lapu Lapu. Parts of our country was Brunei, South Borneo, Hawaii, Spratly Island and Saba. Our country was a rich kingdom and even the Ming dynasty of China respect our kingdom, no other empires and kingdoms in Asia can matched our wealth. The DATU's who ruled the kingdom was the Tagean/Tallano royal famil. They owned our country until the midst 18th century. JOSE P. RIZAL was a direct descendants of the Tallano's. His great grandfather was Prince Julian Macleod Tallano who is been half European royalty "Macleod and half Maharlikan Tallano. 192 thousand tons of golds paid by the Tallano's family to Marcos yet too damn smart. He got the WW2 2 loots which is the YAMASHITA GOLDS who's been guarded by the imbecile General Yamashita and out smarted by Ferdinand Marcos. That is why there is a monetary-1. Due to WW2 loots belongs to humanity, Marcos wanted us to have that and not ended up to the hands of the REPTILIANS/ the world elite/ the one eyed/ the illuminati/ who wanted to enslave humanity, that is why they do everything to bring Marcos down. But Marcos is so smart, they can't find ways how. Then they saw a little hole and used it to manipulate the minds of FEM's own people, then used it to bring him down. They may succeed to bring Marcos out of power in this country but still Out smarted by the late great Ferdinand Marcos because they were not able to get the golds. The real enemy of Ferdinand Marcos was also the enemy of mankind. They're like a pyramid on top of them was a silent but powerful country. America and Vatican was working for the interest of that powerful country controlled by a single and powerful family called the Rothschild’s! We have the right to know the truth about us Filipinos. School never teach our ancient past, our real origins, our long lost kingdom. We are the people of MAHARLIKA kingdom ruled by the DATU's. Our kingdom was a peaceful and respected kingdom until the Spaniards invaded us under the flag of King Phillip. They call our kingdom Philippines! They claim that they discover our country but in reality our kingdom was far richer than the 4 major empires in Europe. The Roman Italians, the Gothic Spaniards, the Celtic England, and the Vandal France. Combine all of their imperial wealth can't matched our wealth! That was the truth that's been hidden from us. The U.N. knows it. U.S.A. knows that. China and Russia knows that. I remember George W. Bush morning interview in 2001 and he's been ask who's the richest country on the planet he smiled and says "The Philippines"- Marcos knew that but he didn't talk! Yes, Marcos didn't talk how rich we are ‘coz he carefully doing his plans away from the eyes of the enemies who wanted to claim all our wealth. Then he decided to create an Asian dollar, so that Asia wills never barrow money to European Union with sky rocket interests. Did anyone know that Marcos represents Asia and he is the head of Asian Union. Napaka daming magagandang plano ni Marcos not only for our country pero sa buong Asia. But the dark forces did everything they can to prevent Marcos! They manipulates the minds of the youths about truth and make Marcos a bad man while they pretend to be a good one, they use the church like Cory did! They made the terrorist a hero like what they did to Ninoy! And now they wanted to install Cory Aquino as a saint! They used a yellow ribbon instead of a swastika! Pero the force that manipulates the midst of the Filipinos was only a puppet of the true force who wanted to enslave humanity pero hindi pa nila magawa all the way dahil Marcos locked the Monetary-1, so it will never ended up in the hands of the dark side reptilian illuminati. The monetary-1 represented by Marcos was for all humanity. CARLO GAMBINO said…. My great great grandfather was Salvador Tagean, he is a direct descendant of the Tagean, and the Tagean is a close relative of the Tallano royal family. My grandfather who is war veteran keep telling us that the most important thing for us to know is to know the truth about our history, the truth about Marcos ‘coz it was all connected. I manage to connect all the dots and I figured out who was the force behind Marcos downfall and it's not the people power and the Aquinos. They are just instrument or puppets. My grandfather tells us many things including important and highly sensitive topics or events. There is too much lies in school and even in major religion. School teaches the young ones wrong information like Ninoy was the hero and Marcos minimal lang ang appearance saga books. They never mention the Tagean/tallano royal family who owned our country the Maharlika kingdom! Kaya what I do to my children is what my grandfather did he educated us everyday by telling tales, and those tales was the reality that never been told or teach by those who wanted to poison our intelligence they fear we found out the truth ‘coz if we find it out no one can command anyone! Means we all equal in life! There is no poor anymore, and there is no rich! The word elite will never be used again! We are familiar to General Antonio Luna… the greatest general in the history of the Philippines but the school never said that, Antonio Luna has an affair with YSIDRA COJUANGCO the grandmother of Cory Aquino! YSIDRA and Emilio AGUINALDO plotted the death of Antonio Luna, Antonio Luna has a thousand tons of gold’s… gagamitin sana to fund the war against invading UNITED STATES OF AMERICA, pero the AGUINALDO regime was corrupt and under the influence of America, kaya they plotted the death of the great General Luna. Gregorio Del Pilar and Manuel Quezon can't do anything about it ‘coz that time they are powerless to prevent it, but they knew it’s going to happen sooner than later! Apolinario Mabini who's also the adviser of AGUINALDO wanted to prevent it, pero dahil lumpo siya na dapat talaga siya din ang presidente wala din nagawa para mapigilan pa ang naka ambang kamatayan ng magiting na Antonio Luna. Emilio AGUINALDO also killed the true and first president of our republic and it is the great Andres Bonifacio… killed by the order of Emilio AGUINALDO and claimed the first presidency! Did anyone hear this in school?! I've heard this to my grandfather… At first I'm confused ‘coz iba ang teachings sa school pero why would our grandfather tell us lies? Then we grew up and connect all the dots then it makes sense, the truth cannot be hidden for a long time! And it's our right to know it! Marcos didn't do anything bad for us! Instead he loves us more than himself. Lahat ng pinakikinabangan natin ngayon sa bansa produkto ng pag mamahal ni FEM. Pero ninanakaw sa atin ng mga yellow ribbon army! They can't let Bongbong Marcos become a president dahil pag nangyari yan people will know the truth! Not just the truth but we will have the things that belong to us! Like what I've said before we are rich! Richer than any country! The world leaders know that! But they also know we've been manipulated by corrupt government China and Russia respects Marcos they treat him as a king ‘coz Marcos was a good leader with brilliant mind! Vladimir Putin's Russia opposed American rule, China too! Then America keep telling’ the world that Russia and China is a major threat! Pero mali kabaliktaran! When U.S. invades Middle East and put the 9-11 to Osama that's a lie! They just wanted to invade Middle East, Iraq and Iran ‘coz Iraq is the ancient empire of Babylon, mayaman sa oil! Gusto nila yung oil business! They keep making movies na ang terrorist ay Muslims, Russians, Chinese pero those countries didn't engage to war like U.S. did. Napansin niyo ba na halos lahat ng giyera may partisipasyon ang U.S.?! U.S government destroyed Marcos dahil baon sila sa utang kay Marcos personal na pera ni Marcos ang ipinautang sa kanila. Marcos lends them gold bars hidden under the twin towers with interest yan. The contract expires exactly the same time the twin tower was been attacked, ika nga ng America! But it's not been attacked; it's been a part of the deal! The gold’s was under the twin towers and twin towers also were part of it! The towers must be destroyed and the gold bars must be returned to the owners! Marcos owns the gold’s! After that American economy collapse dahil wala na silang gold reserves! Q: how is that happened na ang U.S. ay malaki ang utang sa pilipinas? Sabi tayo ang lubog sa utang nung panahon ni Marcos… kamuntik na nga daw tayo mabankrupt dahil panay utang daw po ni Marcos.. kung hindi lang sana nag edsa1..di ba 1986 ang maturity ng mga PAUTANG ni Marcos sa ibat ibang bansa? Is this true?! A: The past government hide it and never told anyone except to those who lived at the time na nangyayari ang mga yun, they know the truth… ang mga bata ngayon hindi nila alam, kaya ano man ang itinuro sakanila sa school they believe it agad! ISYDRA CUJUANGCO, yes she get 60% of the gold’s held by General Luna dahil she played major role to assassinate the great general! The rest kaya mayaman ang COJUANGCO, pero they can't matched the Marcos wealth even the Rothschild’s and the Rockefellers envied Ferdinand Marcos wealth that is why they do everything they can to get that wealth pinalabas nila na ill- gotten wealth samantalang may sariling papeles ang yaman ni Marcos, before pa siya maging president gave by the royal family tallano! Yes, America has a huge dept to Marcos and it’s paid already after the collapse of twin towers U.S. Government pays all the gold’s that they barrowed to Marcos with interest! Kaya American economic bagsak na! And yes Marcos lends all major country na nag boom today like Dubai and other countries. Kasi nga sa Monetary-1, si Marcos and holder ng yaman ng tao at bansa sa buong planeta it's kinda hard to explain! It is better for us to know things the truth and the liars. 1976 maturity humingi ng 10 years extension para mapag planuhan nila na after that out of power na si Marcos sa mata ng madla, pero he's never been out of power dahil until now they prevented the Marcos not having absolute power like maging Vice President or maging President dahil it will become their downfall! Kaya they keep telling the young ones na si Marcos bad man Napakadami ng may utang Kay Marcos and they all envy him dahil he is the Monetary-1… can you see how Ronald Reagan respects Ferdinand Marcos…. Reagan acted like his the biggest fan of Ferdinand Marcos dahil reality lang, Marcos is more powerful than the pope! He is a good man with good heart! * *reference: https://www.facebook.com/Philippine-Cyber-Warrior-For-Peace-Truth-And-Freedom-985454804913396/?pnref=story
Publishing your App to Google Play & Apple Apps Store
Posted: 12 Jul 2016, 23:39pm - Tuesday
$ keytool -genkey -v -keystore [APP_NAME].keystore -alias [APP_NAME_ALIAS] -keyalg RSA -keysize 2048 -validity 10000Now that you have the key, then compile your APK with the key (most commonly called as keystore)... Note: you must be in your App working directory.
$ cordova build android --release -- --keystore="[FULL_PATH_OF_YOUR_KEYSTORE]" --storePassword=[KEYSTORE_PASSWORD] --alias=[APP_NAME_ALIAS]That's it, then you need to go to platforms/android/build/outputs/apk/ and look for android-release.apk and upload it on Google Developer Console. Easy enough! Apple App Store To be honest, apple is more daunting process. Ok, here it comes. First of all, you need to complete the following in Apple Developers:
- Register to Apple Developers at developers.apple.com
- Purchase Apple Developer Program for NZD 150.00
- Assign or invite admin and developers in your account (developers profile)
- Create iOS certificates for iOS Development and iOS Distribution
- Then create identifiers (App ID)
- After creating the developers profile, certificates and identifiers you may now export this to bind it to your app.
- In Xcode, go to Preferences then select Accounts and select your apple ID
- At the bottom of the dialog, click the cog icon and click Export Developer Accounts then save this file as .developerprofile at platforms/ios/ folder of your app project

- login to itunesconnect.apple.com using your developer's apple ID
- go to My Apps
- create new App
- just tick iOS and fill up the form. In SKU field, you can fill up anything, something unique. It would be good name like if you app name is TestApp and the version is 1.0.0 then you can put SKU field as TestApp1.0.0
- Then click Create and will bring you to more fields to fill up. Just complete the mandatory fields.
- In your app working directory, cast the command cordova build ios
- Open Xcode, open your App project then go to Product and select Clean
- Make sure you have select an iOS device in the build dropdown
- Then go to Product and select Archive
- After archiving, a dialog will popup
- You can click "Upload to App Store" to upload your app
- Click export then select the appropriate option for you app
- Just follow the steps and it will do it for you
- Once done, go to itunesconnect.apple.com then click the App you want to publish then select the app that you just uploaded via Xcode Archive.
- All App Bundle ID should be the SAME on the following:
- Xcode > Project Property > General > Bundle Identifier
- Apple Developers > Identifiers > App ID entry
- Apple iTunes Connect > My Apps > App entry
- Make sure the app bundle identifier is unique
- Every release, don't forget to update your build and version
POLi Payment Gateway: Why you shouldn't use this option...
Posted: 11 Apr 2016, 1:59am - Monday


iMac Intel Diagnostic LED's
Posted: 25 Mar 2016, 5:44am - Friday- LED 1 - Indicates that the trickle voltage from the power supply is detected by the main logic board. This LED will remain ON while the iMac is connected to the AC power. The LED will remain on even when the computer has been shut down or put to sleep. The LED will turn off only if the AC power is disconnected or the power supply is faulty.
- LED 2 - Indicates that the main logic board has detected proper power from the power supply when the computer is turned on. This LED will be ON when the computer is turned on and the power supply is working correctly.
- LED 3 - Indicates that the computer and the video card are communicating. This LED will be ON when the computer is communicating properly with the video card. If LEDs 1 and 2 are ON and you heard the startup sound, but LED 3 is OFF, then the video card might be installed incorrectly or need replacement.
- LED 4 - Indicates that the computer and the LCD display panel are communicating. This LED will be ON when the computer is turned on and video signal is being generated. If the LED is ON and there is no image on the LCD display panel, the LCD display panel or inverter might be installed incorrectly or need replacement.