Found this Postscript Fonts cartridge in a drawer at home.
Year: 1991
Price: about US $695




If you are reading this I guess you know what Composer and Packagist are and probably you need to know how to build your own package or you just simply don’t remember all the steps to do it.
Otherwise, you can get some very basic info of Composer here: Wikipedia Composer and if you want to dive into the documentation then you can visit Composer Documentation page. Packagist is the main repository for Composer packages.
We will create a package and before writing a line of code, we will compile some basic information. I’m using mine as an example.
In our case, the project folder will be str-util
Create two more folders inside the project one; one for the package code and the other one for testing. The folder structure should be:
str-util /src /test
Access the project folder and create composer.json by typing
> composer init
Composer will try to guess some of the configuration values
Once we confirm the file generation, a composer.json file will be in our project folder and it will contain some very similar to this:
{ "name": "pangodream/str-util", "description": "A very simple package", "type": "library", "license": "MIT", "authors": [ { "name": "pangodream", "email": "development@pangodream.es" } ], "minimum-stability": "dev", "require": {} }
So, this is now the content of our project folder:
str-util composer.json /src /test
We will add some information about autoloading (“autoload”) and also tell composer our dependencies (“require”). For instance, which is the minimum version of PHP that our library needs to work.
{ "name": "pangodream/str-util", "description": "A very simple package", "type": "library", "license": "MIT", "authors": [ { "name": "pangodream", "email": "development@pangodream.es" } ], "minimum-stability": "dev", "autoload": { "psr-0": { "StrUtil": "src/" } }, "require": { "php": ">=7.0.0" } }
Now we will tell Composer to install autoloader and its code. Like any other vendor, Composer will deploy its own files inside the vendor folder.
> composer install Loading composer repositories with package information Updating dependencies (including require-dev) Nothing to install or update Writing lock file Generating autoload files
Now, the content of the folder is
str-util /composer.json /composer.lock /src /test /vendor /autoload.php /composer /autoload_classmap.php /autoload_namespaces.php /autoload_psr4.php /autoload_real.php /autoload_static.php /ClassLoader.php /installed.json /LICENSE
Inside the composer.json file, we told composer the path were StrUtil package classes are. So, each time we reference in our code a class qualified with its package name Composer will look into the composer.json file to know where that class file is.
In our case, the package name is StrUtil and the class is Counter (because our class will contain some methods to count words, paragraphs, letters, …).
Inside src folder, let’s create a new folder for our package with the name we gave it inside composer.json: StrUtil, and inside that folder, we will place one of our package classes file. Now, we have this folder hierarchy
/str-util /src /StrUtil /Counter.php
So, when PHP finds a reference to a class with the ‘use’, it will look into composer.json. For instance, let’s say we have a line of code like this
use StrUtil\Counter;
What composer.json file indicates is that StrUtil package is under src folder
"autoload": { "psr-0": { "StrUtil": "src/" } }
So, the Counter.php file containing the Counter class code should be located in
src/StrUtil/Counter.php
Now we know how the class file is located and loaded, let’s write down the code:
<?php /** * Created by Pangodream. * Date: 14/04/2019 * Time: 18:50 */ namespace StrUtil; class Counter { /** * @param string $text The text we want to count the number of words it consist of * @return int The number of words in text */ public static function countWords(string $text){ /** @var int $count To store the result of counting words in text */ $count = 0; //Clean up the string $text = trim($text); /** @var array $words Array containing the words */ $words = explode(" ", $text); //Array size is the number of words in text $count = sizeof($words); return $count; } }
And now we know how to reference that class, let’s create a test file to verify that our class works. We will name this file testStrUtil.php and save it inside the test folder we created before:
str-util /test /testStrUtil.php
<?php /** * Created by Pangodream. * Date: 14/04/2019 * Time: 19:03 */ //Use composer autoload to load class files require_once __DIR__ . "/../vendor/autoload.php"; //Required package/libraries use StrUtil\Counter; $text = "Aequam memento rebus in arduis servare mentem"; $wordCount = Counter::countWords($text); echo "The txt contains ".$wordCount." word(s)\r\n";
From the str-util folder, we are going to invoke the test PHP file and see what happens:
str-util> php test/testStrUtil.php The text contains 7 word(s)
Our package containing only a class is working and now we are ready to publish it.
The next thing we’ll do is creating a new repository with our GitHub account.
Go to github.com and create a new repository called str-util. It is a good practice to give a repository description and also initialize with a README file. Because you are going to share the package in packagist.org you need to Add a license file, in our case an MIT License.
Now we will make an initial commit to our repository with the files we already have created inside the src folder.
From the str-util folder, execute the following commands:
---->str-util> git init Initialized empty Git repository in C:/cli/str-util/.git/ ---->str-util> git add src
---->str-util> git add composer.json ---->str-util> git commit -m "Initial commit" [master (root-commit) af7bbac] Initial commit 2 file changed, 28 insertions(+) create mode 100644 src/StrUtil/Counter.php
create mode 100644 composer.json ---->str-util> git remote add origin https://github.com/YOUR_USER_NAME/str-util.git ---->str-util> git pull origin master --allow-unrelated-histories From https://github.com/YOUR_USER_NAME/str-util * branch master -> FETCH_HEAD Merge made by the 'recursive' strategy. README.md | 2 ++ 1 file changed, 2 insertions(+) create mode 100644 README.md ---->str-util> git push origin master fatal: HttpRequestException encountered. Error al enviar la solicitud. Username for 'https://github.com': YOUR_USER_NAME Password for 'https://YOUR_USER_NAME@github.com': Counting objects: 7, done. Delta compression using up to 4 threads. Compressing objects: 100% (4/4), done. Writing objects: 100% (7/7), 928 bytes | 309.00 KiB/s, done. Total 7 (delta 0), reused 0 (delta 0) To https://github.com/YOUR_USER_NAME/str-util.git 16f9ce1..8f91cfa master -> master
Let’s analyze what we have done:
git init
Initialize the Git repository in our local directory. Git will create its hidden files to control operations made on the repository.
git add src
git add composer.json
We are telling Git which files we want to add to the repository. In our case only the src folder and the composer.json file will be synchronized, the rest of the files will stay only in our local machine.
git commit -m "Initial commit"
Our first Initial commit to our local instance of the repository. We haven’t sent anything to github.com until now.
Now we will add an origin (origin means remote repository) to our local repository. This is the reference to our github.com repository. Replace YOUR_USER_NAME with your own Github user name.
git remote add origin https://github.com/YOUR_USER_NAME/str-util.git
If at this point we try to push (send to remote) the commit we made locally, an error will occur because in the remote instance of the repository there are files that don’t exist locally (README file for instance). We cannot send and receive at the same time under normal circumstances, so we will first pull files from origin ignoring possible conflicts:
git pull origin master --allow-unrelated-histories
Now, the README file is in our local repository as well. Now, we can push the commit we made before without any conflicts.
git push origin master
If we take a look to our Github repository, a new folder src should be created and inside it a file named Counter.php
If everything went right, our package is available at Github and ready to be published on Packagist.
Log with your credentials (or using Github) into Packagist.
On the upper right corner, you will find a Submit button. Click on it and a new screen, titled “Submit package” will open.
Copy the URL of your Github repository and paste it inside the text box under “Repository URL (Git/Svn/Hg)”. Your URL should be something like this
https://github.com/YOUR_USER_NAME/str-util
Now press the big green button Check and if our package is OK, the button caption will change to Submit.
Press the Submit button and a new screen, showing the results will appear.
Now you have a new package published in Packagist and anyone who wants to use it only has to type in its project folder:
composer require YOUR_USER_NAME/str-util
In a separate post, we will see how to include our new package in a project and invoke the test function we have created.
Useful for single quick operations on a host (like sending a command)
/** * Sends data over TCP/IP to the specified host * and returns host reply (limited to 1024 chars) * @param string $hostIP * @param int $hostPort * @param string $data * @return string */ private function sendDataToHost(string $hostIP, int $hostPort, string $data){ $socket = socket_create(AF_INET, SOCK_STREAM, SOL_TCP); $resp = ""; if(!is_resource($socket)){ try{ socket_connect($socket, $hostIP, $hostPort); socket_write($socket, $data); $resp = socket_read($socket, 1024); }catch(\Exception $e){ //Error while connecting socket } socket_close($socket); }else{ //Error creating the socket } return $resp; }
It is frustrating the first time you insert an ESP32 dev board into a breadboard and you notice there’s no room for wires.
What I usually do is putting a breadboard aside another one, but I don’t like it very much.
I decided then to split the small board into two pieces and insert them in a 3D printed base so that the dev board pins get into the first row of holes and the rest remain available.
.stl file available at www.thingiverse.com
Since I was a child I loved gadgets, electronic parts, wires, opening every machine that fell into my hands.
My job is related to technology, but nothing of hardware in it, just software. I work for an advertising company and we don’t produce anything you can touch with your hands. Though I am an enthusiast of coding and designing software I am always buying cheap components, electrical instrumentation and from time to time I ‘produce’ some little things for the home, but I never have enough time to make interesting things.
During years I have been reading blog entries at hackaday.com. The things they talk about are those things I would love to be making the whole day.
Some months ago I started walking with pain in one of my feet. Things became more complicated and finally, I had surgery and had to stay at home during some months. That means a big issue for me because of my job but as someone said “problems can become opportunities” and that’s what it happened… now I have a bunch of time to think and study.
As I had a lot of components waiting for me, I decided to buy a 3D printer and make something. Three weeks ago I started thinking on an Alarm Clock and today that thing is Claudio.
Some days ago I submitted the Github repository link to hackaday.com thinking they would ignore it but they replied my email and told me their intention to publish a post about it. I felt really proud and happy.
Today they made my day. Thanks, Tom! 😀
The box of the prototype consists of 4 pieces designed with Freecad to be 3D printed.
I used PLA, heating the bed up to 60ºC and the nozzle to 200ºC.
Mounting is very simple and though the design includes eight blocks at the corners to allow screwing I found it wasn’t necessary as the pieces stay together after mounting due to pressure.
The four ‘columns’ at the base allow mounting a PCB over them and some wires can pass down it.
Some more pictures follow below:
Claudio consists of just five (or six) components, the wiring between them and code. No resistors, capacitors, diodes… no discrete components apart from 3 five cents of € coins. 😉
List of components:
After trying several options that I found on the web, I chose this one as the better to connect an ESP32 to an ILI9341 TFT display.
ESP32 | ILI9341 |
3V3 | VCC |
GND | GND |
D15 | CS |
D2 | RESET |
D4 | D/C |
D23 | MOSI |
D18 | SCK |
Not connected | MISO |
3V3 (***or D19) | LED |
The code:
/** * ILI9341 TFT libraries and resources */ const int TFT_CS = 15; const int TFT_DC = 4; const int TFT_MOSI = 23; const int TFT_SLK = 18; const int TFT_RST = 2; const int TFT_LED = 19; #include "SPI.h" #include "Adafruit_GFX.h" #include "Adafruit_ILI9341.h" Adafruit_ILI9341 tft = Adafruit_ILI9341(TFT_CS, TFT_DC, TFT_MOSI, TFT_SLK, TFT_RST); void setup() { tft.begin(); tft.setRotation(3); //Landscape orientation }
The reason for the two possibilities for the LED pin is the next:
If you connect LED pin directly to 3V3 you will get maximum brightness in your screen. LED pin controls the backlight of your TFT display.
In my case, I didn’t want to have max brightness but I wanted to control the intensity based on ambient light, so I decided to connect LED pin to any of the IO pins of the ESP32 (#19 in the showed example).
The code to control backlight intensity (once you have connected LED to pin D19) is as follows:
. const int TFT_LED = 19; . /** * PWM Constants */ const int freq = 5000; const int tftledChannel = 0; const int resolution = 8; . . . void setup() { . . . /** * TFT DISPLAY */ //Background light PWM ledcSetup(tftledChannel, freq, resolution); ledcAttachPin(19, tftledChannel); . . } /** * Sets TFT background luminosity (0-255) */ void setBGLuminosity(int level){ ledcWrite(tftledChannel, level); }
Inserting the code above allows you to set the backlight intensity at any point just invoking setBGLuminosity() function passing a value between 0 and 255.
//Examples: setBGLuminosity(0); //Switch off screen backlight setBGLuminosity(128); //Medium intensity (theoretically) setBGLuminosity(255); //Full intensity
Before going into detail of coding or wiring, I will publish here the links to the existing project resources (videos and code repositories).
Sorry about the video language, but I prefer writing in Spanish in places like youtube where automatic translation is good enough.
Youtube channel:
https://www.youtube.com/channel/UCR5-nrKV7iJBCj24QehHoNA
Github repositories:
https://github.com/pangodream/Claudio
Inside Hardware folder, you may find some hardware pictures and a wiring diagram (though this one will have its own post) and inside Box folder are the .obj files to 3d Print the box.
https://github.com/pangodream/ClaudioRemote