• I recently found myself having to prepare a report of some mortgage calculations so that non-technical domain experts could read it, evaluate it, and tell me whether my math and the way I was using certain APIs was correct.

    Since I’m using Python, I decided to go as native as possible and make my little script generate a ReStructured Text file that I would then convert into HTML, PDFs, whatever. The result of certain calculations ended up looking like a data table expressed as list of dicts all with the same keys. I wrote a function that would turn that list of dicts into the appropriately formatted ReStructured Text.

    For example, given this data:

    creators = [{"name": "Guido van Rossum", "language": "Python"}, 
                {"name": "Alan Kay", "language": "Smalltalk"},
                {"name": "John McCarthy", "language": "Lisp"}]

    when you call it with:

    dict_to_rst_table(creators)

    it produces:

    +------------------+-----------+
    | name             | language  |
    +==================+===========+
    | Guido van Rossum | Python    |
    +------------------+-----------+
    | Alan Kay         | Smalltalk |
    +------------------+-----------+
    | John McCarthy    | Lisp      |
    +------------------+-----------+

    The full code for this is:

    from collections import defaultdict
    
    from io import StringIO
    
    
    def dict_to_rst_table(data):
        field_names, column_widths = _get_fields(data)
        with StringIO() as output:
            output.write(_generate_header(field_names, column_widths))
            for row in data:
                output.write(_generate_row(row, field_names, column_widths))
            return output.getvalue()
    
    
    def _generate_header(field_names, column_widths):
        with StringIO() as output:
            for field_name in field_names:
                output.write(f"+-{'-' * column_widths[field_name]}-")
            output.write("+\n")
            for field_name in field_names:
                output.write(f"| {field_name} {' ' * (column_widths[field_name] - len(field_name))}")
            output.write("|\n")
            for field_name in field_names:
                output.write(f"+={'=' * column_widths[field_name]}=")
            output.write("+\n")
            return output.getvalue()
    
    
    def _generate_row(row, field_names, column_widths):
        with StringIO() as output:
            for field_name in field_names:
                output.write(f"| {row[field_name]}{' ' * (column_widths[field_name] - len(str(row[field_name])))} ")
            output.write("|\n")
            for field_name in field_names:
                output.write(f"+-{'-' * column_widths[field_name]}-")
            output.write("+\n")
            return output.getvalue()
    
    
    def _get_fields(data):
        field_names = []
        column_widths = defaultdict(lambda: 0)
        for row in data:
            for field_name in row:
                if field_name not in field_names:
                    field_names.append(field_name)
                column_widths[field_name] = max(column_widths[field_name], len(field_name), len(str(row[field_name])))
        return field_names, column_widths

    Feel free to use it as you see fit, and if you’d like this to be a nicely tested reusable pip package, let me know and I’ll turn it to one. One thing that I would need to add is making it more robust to malformed data and handle more cases of data that looks differently.

    If I turn it into a pip package, it would be released from Eligible, as I wrote this code while working there and we are happy to contribute to open source.

  • The first version of Dashman didn’t have a centralized configuration system to control a lot of displays at once. It was a one time fee software to run in one computer. Its price was $10.

    I started networking, going to events, trying to find customers. I’m a techie, but I cleaned up, trimmed my beard, combed my hair, put on a suit (well, most of one… I still have issues with ties) and off I went, looking like this:

    pupeno6

    Techies stopped identifying me as part of their crowd which was enlightening. I was the target of so much condescension. It was funny. I still remember the face of a coder that told me he was building his application on Lisp and I asked “Which one?”. His face lit up when we discussed Common Lisp vs others, or SBCL vs other Common Lisp compilers. We became friends, but I digress.

    One of my most enlightening discussions was with a developer that told me that he didn’t need my product because he could hack something together in a weekend. Let’s assume this is correct. He preferred to work for a weekend over spending $10. Or put in a different way, his weekend rate was $0.42 per hour. “Excuse me, can I hire you?”

    Building something because it’s fun or educational is obviously a very rewarding activity and everybody that wants to do it should do it. When it comes to business, the equation of whether to build or buy should be a financial one.

  • I’m referring to the new series, the Netflix one. I’ve never really watched the old one but I’ve seen enough clips to know: “Danger Will Robinson”. There are several reasons why I stopped watching even though I’m starving for non-pessimistic future space science fiction.

    The first one is that I don’t enjoy seeing people make obvious bad decisions. When it was the kids making bad decisions it was annoying but it made sense, they are kids after all. But when it’s adults, I can’t stand it. These are supposed to be a selection of the most intelligent and capable adults on earth, and yet, they constantly make bad decisions.

    Some spoilers ahead. Stop reading here if you don’t want to be exposed to them.

    For example, Maureen Robinson decided to go do an experiment with a high altitude balloon, on her own, without telling anybody, on a planet of unknown levels danger. She should have taken a few people with her and notified other people where she was going to be. This is what we do on earth when we go hiking or some other wilderness adventure. At the very least her ex-husband would have jumped into the opportunity as he’s hungry for her acceptance but also being a former military man, he’s a good asset. This almost cost her life in a very stupid way.

    Ignacio Serricchio, the mechanic, not notifying everybody what happened with Dr. Smith. Judy Robinson not notifying everybody what happened with Dr. Smith. See a pattern? There’s a lot of information hoarding. When you are in a life-or-death situation in such a small community of survivals, you don’t hoard information. You share it so that if they are part of a bigger puzzle, someone can put it together.

    I had to stop watching when Maureen Robinson discovered their impending doom and didn’t immediately tell everybody. I don’t know if she’ll tell them afterwards but just considering not doing was the straw that broke the camel’s back. I sort of understand keeping doom-predicting information from the general population of Earth, to avoid panic, specially if the average person can’t do anything about it. This is not the case. They are a elite, they are a small community of highly capable people that should know if they are doomed to work their asses off to solve the problem, using resources that maybe they would have been saving for the future otherwise. A future that doesn’t exist.

    Oh… and electricity, physics, astrophysics and medicine are all horribly wrong. Not a little wrong, not a little exaggerated: horribly wrong.

  • Disclaimer: I don’t know what I’m talking about, I’ve done little Win API (Win32) development and I only have a few years of Java development of which maybe 2 or 3 are developing desktop applications with JavaFX (Dashman being my first fully fledged out JavaFX app).

    Disclaimer 2: I have only tested this on my own computer, running Microsoft Windows 10. I hope to soon test it in many others and over time we’ll see whether my solution was correct or not. I’ll update this blog post accordingly (or link to a newer version if necessary).

    I started taking the quality of Dashman very seriously and one of the problems I found was that the running instances wouldn’t exit properly during uninstall or upgrades. And as I expected, this turned out into a head-bashing-into-brick-wall task. My solution was for a JavaFX app, but this should work for a Swing or any other kind of apps.

    It all started with learning about Windows Restart Manager, something I didn’t know it even existed until a week ago. This is what allows Windows to close applications on uninstall, on reboots, etc. In the Guidelines for Applications, the crucial bit is this:

    The Restart Manager queries GUI applications for shutdown by sending a WM_QUERYENDSESSION notification that has the lParam parameter set to ENDSESSION_CLOSEAPP (0x1). Applications should not shut down when they receive a WM_QUERYENDSESSION message because another application may not be ready to shut down. GUI applications should listen for the WM_QUERYENDSESSION message and return a value of TRUE if the application is prepared to shut down and restart. If no application returns a value of FALSE, the Restart Manager sends a WM_ENDSESSION message with the lParam parameter set to ENDSESSION_CLOSEAPP (0x1) and the wparam parameter set to TRUE. Applications should shut down only when they receive the WM_ENDSESSION message. The Restart Manager also sends a WM_CLOSE message for GUI applications that do not shut down on receiving WM_ENDSESSION. If any GUI application responds to a WM_QUERYENDSESSION message by returning a value of FALSE, the shutdown is canceled. However, if the shutdown is forced, the application is terminated regardless.

    Simplifying it: when Windows needs your app to close, it will send a message asking if you are ready to close. Your application might respond negatively and then no application will be closed. This could happen for example if there’s some unsaved work and the app needs the consent from the user to either save or discard. This is what happens when you try to shut down your computer and Microsoft Word stops it asking whether you want to save the file or not.

    After that your application can receive a message asking it to please close or telling it to close now. I’m not sure what the nuances are between these two. For Dashman I decided to just save the config and close in either of these instances.

    Receiving these messages requires interfacing with Windows DLLs, for which I’m using JNA. I don’t know how JNA works, I read the code, sort-of understood it, copied and pasted it. What I think is going on is that you open the user32.dll like this:

    User32 user32 = Native.loadLibrary("user32", User32.class, Collections.unmodifiableMap(options))

    User32 is an interface that contains all the methods with the proper signatures to be able to call them from Java. options just makes sure we are using the Unicode version of the Win32 API calls. You can see that and all the other missing pieces on the full example at the end of the blog post.

    I need a Win32 API callback that will receive the messages and actually implement the guidelines previously quoted:

    StdCallLibrary.StdCallCallback proc = new StdCallLibrary.StdCallCallback() {
        public WinDef.LRESULT callback(WinDef.HWND hwnd, int uMsg, WinDef.WPARAM wParam, WinDef.LPARAM lParam) {
            if (uMsg == WM_QUERYENDSESSION && lParam.intValue() == ENDSESSION_CLOSEAPP) {
                return new WinDef.LRESULT(WIN_TRUE);
            } else if ((uMsg == WM_ENDSESSION && lParam.intValue() == ENDSESSION_CLOSEAPP && wParam.intValue() == WIN_TRUE) || uMsg == WM_CLOSE) {
                Application.exit();
                return new WinDef.LRESULT(WIN_FALSE); 
            }
            return user32.DefWindowProc(hwnd, uMsg, wParam, lParam);
     
        }
    };

    Oh! Lot’s of constants! What are they? I define them in the full example at the bottom of this post. They should be mostly self-evident what they stand for, their actual values are not that important.

    Now things get tricky. Apparently Microsoft Windows send these messages to windows, not processes. Dashman can run in the tray bar, with no active window. And even if it had an active window, getting the HWND pointer for that window in JavaFX doesn’t seem trivial (I couldn’t get it to work). So, I create a size 0 invisible window to receive the message:

    WinDef.HWND window = user32.CreateWindowEx(0, "STATIC", "Dashman Win32 Restart Manager Window.", WS_MINIMIZE, 0, 0, 0, 0, null, null, null, null);

    Then I need to connect that window to the callback:

    try {
        user32.SetWindowLongPtr(window, GWL_WNDPROC, proc);
    } catch (UnsatisfiedLinkError e) {
        user32.SetWindowLong(window, GWL_WNDPROC, proc);
    }

    The callback is not magic though, and requires an event loop that will constantly check if there’s a message and trigger the processing when that happens:

    WinUser.MSG msg = new WinUser.MSG();
    while (user32.GetMessage(msg, null, 0, 0) > 0) {
        user32.TranslateMessage(msg);
        user32.DispatchMessage(msg);
    }

    Of course, that means you want this to run as its own daemon thread. The reason to make it a daemon thread is so that it won’t hang around preventing the JVM from exiting. 

    One of my most useful sources of understanding and inspiration was the source code for Briar. I want to give credit where credit is due. I do think I spotted an issue with their source code in which they are not following the guidelines though. Also, they have a much more complex situation to handle.

    And now, the full example with all my comments including links to more information explaining where all the values for constants and logic is coming from:

    import com.sun.jna.Native;
    import com.sun.jna.Pointer;
    import com.sun.jna.platform.win32.WinDef;
    import com.sun.jna.platform.win32.WinUser;
    import com.sun.jna.win32.StdCallLibrary;
    import com.sun.jna.win32.W32APIFunctionMapper;
    import com.sun.jna.win32.W32APITypeMapper;
    
    import java.util.Collections;
    import java.util.HashMap;
    import java.util.Map;
    
    import static com.sun.jna.Library.OPTION_FUNCTION_MAPPER;
    import static com.sun.jna.Library.OPTION_TYPE_MAPPER;
    
    // Inspiration can be found at https://code.briarproject.org/akwizgran/briar
    public class RestartManager {
        // https://autohotkey.com/docs/misc/SendMessageList.htm
        private static final int WM_CLOSE = 0x10; // https://msdn.microsoft.com/en-us/library/windows/desktop/ms632617
        private static final int WM_QUERYENDSESSION = 0x11; // https://msdn.microsoft.com/en-us/library/windows/desktop/aa376890
        private static final int WM_ENDSESSION = 0x16; // https://msdn.microsoft.com/en-us/library/windows/desktop/aa376889
    
        // https://msdn.microsoft.com/en-us/library/windows/desktop/aa376890
        // https://msdn.microsoft.com/en-us/library/windows/desktop/aa376889
        private static final int ENDSESSION_CLOSEAPP = 0x00000001;
        private static final int ENDSESSION_CRITICAL = 0x40000000;
        private static final int ENDSESSION_LOGOFF = 0x80000000;
    
        // https://stackoverflow.com/questions/50409858/how-do-i-return-a-boolean-as-a-windef-lresult
        private static final int WIN_FALSE = 0;
        private static final int WIN_TRUE = 1;
    
        // https://msdn.microsoft.com/en-us/library/windows/desktop/ms633591(v=vs.85).aspx
        private static final int GWL_WNDPROC = -4;
    
        // https://msdn.microsoft.com/en-us/library/windows/desktop/ms632600(v=vs.85).aspx
        private static final int WS_MINIMIZE = 0x20000000;
    
        public static void enable() {
            Runnable evenLoopProc = () -> {
                // Load user32.dll usi the Unicode versions of Win32 API calls
                Map<String, Object> options = new HashMap<>();
                options.put(OPTION_TYPE_MAPPER, W32APITypeMapper.UNICODE);
                options.put(OPTION_FUNCTION_MAPPER, W32APIFunctionMapper.UNICODE);
                User32 user32 = Native.loadLibrary("user32", User32.class, Collections.unmodifiableMap(options));
    
                // Function that handles the messages according to the Restart Manager Guidelines for Applications.
                // https://msdn.microsoft.com/en-us/library/windows/desktop/aa373651
                StdCallLibrary.StdCallCallback proc = new StdCallLibrary.StdCallCallback() {
                    public WinDef.LRESULT callback(WinDef.HWND hwnd, int uMsg, WinDef.WPARAM wParam, WinDef.LPARAM lParam) {
                        if (uMsg == WM_QUERYENDSESSION && lParam.intValue() == ENDSESSION_CLOSEAPP) {
                            return new WinDef.LRESULT(WIN_TRUE); // Yes, we can exit whenever you want.
                        } else if ((uMsg == WM_ENDSESSION && lParam.intValue() == ENDSESSION_CLOSEAPP
                                && wParam.intValue() == WIN_TRUE) || uMsg == WM_CLOSE) {
                            Application.exit();
                            return new WinDef.LRESULT(WIN_FALSE); // Done... don't call user32.DefWindowProc.
                        }
                        return user32.DefWindowProc(hwnd, uMsg, wParam, lParam); // Pass the message to the default window procedure
    
                    }
                };
    
                // Create a native window that will receive the messages.
                WinDef.HWND window = user32.CreateWindowEx(0, "STATIC",
                        "Dashman Win32 Restart Manager Window.", WS_MINIMIZE, 0, 0, 0,
                        0, null, null, null, null);
    
                // Register the callback
                try {
                    user32.SetWindowLongPtr(window, GWL_WNDPROC, proc); // Use SetWindowLongPtr if available (64-bit safe)
                } catch (UnsatisfiedLinkError e) {
                    user32.SetWindowLong(window, GWL_WNDPROC, proc); // Use SetWindowLong if SetWindowLongPtr isn't available
                }
    
                // The actual event loop.
                WinUser.MSG msg = new WinUser.MSG();
                while (user32.GetMessage(msg, null, 0, 0) > 0) {
                    user32.TranslateMessage(msg);
                    user32.DispatchMessage(msg);
                }
            };
    
            Thread eventLoopThread = new Thread(evenLoopProc, "Win32 Event Loop");
            eventLoopThread.setDaemon(true); // Make the thread a daemon so it doesn't prevent Dashman from exiting.
            eventLoopThread.start();
        }
    
        private interface User32 extends StdCallLibrary {
            // https://msdn.microsoft.com/en-us/library/windows/desktop/ms632680(v=vs.85).aspx
            WinDef.HWND CreateWindowEx(int dwExStyle, String lpClassName, String lpWindowName, int dwStyle, int x, int y, int nWidth, int nHeight, WinDef.HWND hWndParent, WinDef.HMENU hMenu, WinDef.HINSTANCE hInstance, Pointer lpParam);
    
            // https://msdn.microsoft.com/en-us/library/windows/desktop/ms633572(v=vs.85).aspx
            WinDef.LRESULT DefWindowProc(WinDef.HWND hWnd, int Msg, WinDef.WPARAM wParam, WinDef.LPARAM lParam);
    
            // https://msdn.microsoft.com/en-us/library/windows/desktop/ms633591(v=vs.85).aspx
            WinDef.LRESULT SetWindowLong(WinDef.HWND hWnd, int nIndex, StdCallLibrary.StdCallCallback dwNewLong);
    
            // https://msdn.microsoft.com/en-us/library/windows/desktop/ms644898(v=vs.85).aspx
            WinDef.LRESULT SetWindowLongPtr(WinDef.HWND hWnd, int nIndex, StdCallLibrary.StdCallCallback dwNewLong);
    
            // https://msdn.microsoft.com/en-us/library/windows/desktop/ms644936(v=vs.85).aspx
            int GetMessage(WinUser.MSG lpMsg, WinDef.HWND hWnd, int wMsgFilterMin, int wMsgFilterMax);
    
            // https://msdn.microsoft.com/en-us/library/windows/desktop/ms644955(v=vs.85).aspx
            boolean TranslateMessage(WinUser.MSG lpMsg);
    
            // https://msdn.microsoft.com/en-us/library/windows/desktop/ms644934(v=vs.85).aspx
            WinDef.LRESULT DispatchMessage(WinUser.MSG lpmsg);
        }
    }

    And now, my usual question: do you think this should be a reusable open source library? would you use it?

  • A friend of my dad introduced me to ham radio when I was 7 years old. When I was 15 or so I passed my beginner’s exam and then I did nothing with it. I got my call sign when I was 24 years old and moving out of Argentina: LU5ARC. I never used it because Argentina is not part of CEPT (and I haven’t gone back except for short holidays).

    To get that Argentinean license, I had to take three months of two evenings a week of lessons on theory, Morse code and operating a radio (just making QSOs on 80 meters). I actually collected about 10 QSLs from that time (I wish I knew where they are).

    When I moved to the UK almost 7 years ago, I looked into transferring my license but I was told it was impossible. I wish they also told me how easy it was to get a license in the UK and I wouldn’t have waited so long to get started. Last year something else got me interested in radio and I decided to take the plunge and get licensed. I was delighted to see how easy it is.

    The hardest part of getting licensed was waiting for the two day course to happen (at that point, I didn’t know about ML&S running them). Because of my previous experience with radio and the fact that I studied electronics and electromechanics in school, there was little to nothing that I didn’t know for the foundation level. Without too much effort I got my first British call sign: M6UON.

    Then, I had to wait again and I was thrilled to find that ML&S run foundation and intermediate courses, as well as advanced exams so often. I took the course, pass the exam, and I got my intermediate license: 2E0GGE. A month after that, I took the advanced exam and I now have my full license M0ONP.

    Oh… even before there was a foundation course available, I went to the RSGB convention and I took the three exams in a row for the FCC (American) license, so, even before managing to get M6UON, I got an extra (full) one for the US as AC1DM. So ironic!

    2018-04-02-15-56-49.jpg

    And now the fun begins. I lifted all possible restrictions. I can use the full 100W of my Icom IC-7300 as well as take my Icom ID-51E PLUS2 abroad and use it. I can also supervise unlicensed people so I’ve been introducing all my friends to ham radio. I either have friends that are genuinely interested in this technical hobby that’s going without them knowing about or very good friends that humor me when I spend hours explaining frequency, modulation, SWR, antennas, bandwidth, etc.

  • Update 2018-05-23: Updated the code to my current version, which fixes a few bugs.

    When doing usability testing of an alpha version of Dashman, one thing that I was strongly asked was to have the windows remember their sizes when you re-open the application. The need was clear as it was annoying to have the window be a different size when re-started.

    The new version of Dashman is built using Java and JavaFX and thus I searched for how to do this, how to restore size. I found many posts, forums, questions, etc all with the same simplistic solution: restoring width and height, and maybe position.

    What those were missing was restoring whether the window was maximized (maximized is not the same as occupying all the available space, at least in Windows). But most important than that, none of the solutions took into consideration the fact that the resolutions and quantity of screens could be different than the last time the application run, thus, you could end up with a window completely out of bounds, invisible, immobile.

    I came up with this solution, a class that’s designed to be serializable to your config to store the values but also restore them and make sure the window is visible and if not, move it to a visible place:

    // Copyright (c) 2017-2018 Flexpoint Tech Ltd. All rights reserved.
    
    package tech.dashman.dashman;
    
    import com.fasterxml.jackson.annotation.JsonIgnore;
    import javafx.application.Platform;
    import javafx.geometry.Rectangle2D;
    import javafx.stage.Screen;
    import javafx.stage.Stage;
    import lombok.Data;
    import tech.dashman.common.Jsonable;
    
    @Data
    public class StageSizer implements Jsonable {
        private static double MINIMUM_VISIBLE_WIDTH = 100;
        private static double MINIMUM_VISIBLE_HEIGHT = 50;
        private static double MARGIN = 50;
        private static double DEFAULT_WIDTH = 800;
        private static double DEFAULT_HEIGHT = 600;
    
        private Boolean maximized = false;
        private Boolean hidden = false;
        private Double x = MARGIN;
        private Double y = MARGIN;
        private Double width = DEFAULT_WIDTH;
        private Double height = DEFAULT_HEIGHT;
    
        @JsonIgnore
        private Boolean hideable = true;
    
        @JsonIgnore
        public void setStage(Stage stage) {
            // First, restore the size and position of the stage.
            resizeAndPosition(stage, () -> {
                // If the stage is not visible in any of the current screens, relocate it to the primary screen.
                if (isWindowIsOutOfBounds(stage)) {
                    moveToPrimaryScreen(stage);
                }
                // And now watch the stage to keep the properties updated.
                watchStage(stage);
            });
        }
    
        private void resizeAndPosition(Stage stage, Runnable callback) {
            Platform.runLater(() -> {
                if (getHidden() != null && getHidden() && getHideable()) {
                    stage.hide();
                }
                if (getX() != null) {
                    stage.setX(getX());
                }
                if (getY() != null) {
                    stage.setY(getY());
                }
                if (getWidth() != null) {
                    stage.setWidth(getWidth());
                } else {
                    stage.setWidth(DEFAULT_WIDTH);
                }
                if (getHeight() != null) {
                    stage.setHeight(getHeight());
                } else {
                    stage.setHeight(DEFAULT_HEIGHT);
                }
                if (getMaximized() != null) {
                    stage.setMaximized(getMaximized());
                }
                if (getHidden() == null || !getHidden() || !getHideable()) {
                    stage.show();
                }
    
                new Thread(callback).start();
            });
        }
    
        public void setHidden(boolean value) {
            this.hidden = value;
        }
    
        private boolean isWindowIsOutOfBounds(Stage stage) {
            for (Screen screen : Screen.getScreens()) {
                Rectangle2D bounds = screen.getVisualBounds();
                if (stage.getX() + stage.getWidth() - MINIMUM_VISIBLE_WIDTH >= bounds.getMinX() &&
                    stage.getX() + MINIMUM_VISIBLE_WIDTH <= bounds.getMaxX() &&
                    bounds.getMinY() <= stage.getY() && // We want the title bar to always be visible.
                    stage.getY() + MINIMUM_VISIBLE_HEIGHT <= bounds.getMaxY()) {
                    return false;
                }
            }
            return true;
        }
    
        private void moveToPrimaryScreen(Stage stage) {
            Rectangle2D bounds = Screen.getPrimary().getVisualBounds();
            stage.setX(bounds.getMinX() + MARGIN);
            stage.setY(bounds.getMinY() + MARGIN);
            stage.setWidth(DEFAULT_WIDTH);
            stage.setHeight(DEFAULT_HEIGHT);
        }
    
        private void watchStage(Stage stage) {
            // Get the current values.
            setX(stage.getX());
            setY(stage.getY());
            setWidth(stage.getWidth());
            setHeight(stage.getHeight());
            setMaximized(stage.isMaximized());
            setHidden(!stage.isShowing());
    
            // Watch for future changes.
            stage.xProperty().addListener((observable, old, x) -> setX((Double) x));
            stage.yProperty().addListener((observable, old, y) -> setY((Double) y));
            stage.widthProperty().addListener((observable, old, width) -> setWidth((Double) width));
            stage.heightProperty().addListener((observable, old, height) -> setHeight((Double) height));
            stage.maximizedProperty().addListener((observable, old, maximized) -> setMaximized(maximized));
            stage.showingProperty().addListener(observable -> setHidden(!stage.isShowing())); // Using an invalidation instead of a change listener due to this weird behaviour: https://stackoverflow.com/questions/50280052/property-not-calling-change-listener-unless-theres-an-invalidation-listener-as
        }
    }
    

    and the way you use it is quite simple. On your start method, you create or restore an instance of StageSizer and then do this:

    public void start(Stage stage) {
        StageSizer stageSizer = createOrRestoreStageSizerFromConfig();
        stageSizer.setStage(stage);
    }
    

    I haven’t put a lot of testing on this code yet but it seems to work. Well, at least on Windows. The problem is that this snippet is interacting with the reality of screen sizes, resolutions, adding and removing monitors, etc. If you find a bug, please, let me know and I might release this a library with the fix so we can keep on collectively improving this.

  • Star Trek DiscoveryMy opinion of Star Trek: Discovery is positive, but there’s still something that annoys me and since it’s a bit of a spoiler, you should stop reading here until you watched season 1.

    Star Trek: Discovery shouldn’t have been a prequel. STD (oops, unfortunate acronym) should have been a sequel to all the other Star Treks we had. I don’t understand why they made it a prequel. It’s not trying to explain an origin story; if anything, it’s destroying Star Trek cannon.

    If it was a sequel, in the 25th century:

    • the uniforms wouldn’t be an issue
    • the introduction of new races wouldn’t be an issue
    • the introduction of a human that went through Vulcan academy wouldn’t be an issue (she could be Spock’s protege, instead of Spock’s father’s protege)
    • the Klingons looking different wouldn’t be an issue
    • flat screens and holograms wouldn’t be an issue
    • the use of a sort of holodeck wouldn’t be an issue
    • discovering a way to teleport through the galaxy without needing warp drives wouldn’t be an issue
    • we could have Star Trek: The Next Generation, Voyager and Deep Space 9 cameos.

    The BorgWhy make it a prequel then? There’s no advantage to having it be a prequel. You could still have a war with the Klingons if they wanted to bank on their fame (although a war with the Borg is much more frightening in my opinion, specially since peace with the Borg is impossible).

    They couldn’t have the flip phones, I mean, the communicators, which apparently are iconic enough to put on one of the posters, but aren’t the badge communicators also iconic? And if not, it feels like a small lose.

    I don’t understand this obsession with needles prequels, are people afraid of the future? of moving forward and seeing what happens next?

  • Next month, I’m taking my test to get a ham radio licence here in the UK. This is not my first licence. I’ve got LU5ARC years ago, as I was leaving Argentina, so, I never really got to use it. Years before that I’ve got a Yaesu FT411E, but I never transmitted with it due to lack of licence.

    I don’t want that to happen again, so, as soon as I get my licence I want to hit the ground running and start using it. My plan right now is:

    1. Get a VHF/UHF hand held radio.
    2. Learn about antennas by reading:
    3. Get an antenna for VHF/UHF on my car (probably magnetic).
    4. Attempt to install a VHF/UHF vertical antenna in my house.
    5. Decide based on the information I have so far whether I can go for HF.
    6. Set up an HF base station.

    Right now, I’m concerned about step 1. These are the things I’m after, in this order of preference:

    1. VHF
    2. UHF
    3. Ability to use a stationary vertical antenna
    4. Weather proofing
    5. D-Star (with GPS)
    6. APRS (with GPS)

    I could try to get everything now, or maybe do it in stages. I’m not sure yet. I narrowed down my selection to these 5 radios:

    • Kenwood TH-D74
    • Icom ID-51 PLUS2
    • Icom IC-E91
    • Yaesu FT-60E
    • A Baofeng

    Kenwood TH-D74

    The ideal radio seems to exist and it’s the Kenwood TH-D74 (Buy: US). From what I’m seeing this piece of equipment is insane. It does everything and it does almost everything well (except maybe battery life). The price is also insane. If money was no object I would just get this radio and I’m done. I’d probably use it for many, many years.

    Kenwood TH-D74

    Icom ID-51 PLUS2

    The runner up is the Icom ID-51 PLUS2 (Buy: US, UK). It’s more than 35% cheaper than the TH-D74 and it does everything but APRS. From this list it probably has the most bang for the buck since there are two ways of doing APRS: through D-Star repeaters that have it enabled or with an extra piece of kit that you plug to it. The audio quality seems not to be as good as the TH-D74 but it still is great. Like the TH-D74, this is a radio to buy, keep and don’t think about equipment for many years (at least not hand-helds).

    Icom ID-51A PLUS2

    After these two, we get into the get a radio now with the intention of upgrading later.

    Icom IC-E91

    Icom IC-E91The Icom IC-E91 cost less than half of the TH-D74 but I’m a bit puzzled by it. I cannot find a lot of reviews or information about it. It doesn’t seem to be a popular unit. It can do D-Star but to transmit GPS it requires an external GPS module that would put it close to the cost of an ID-51 PLUS2. When it comes to APRS, it’s the same story as for the other Icom on this list.

    Yaesu FT-60

    Yaesu FT-60The Yaesu FT-60 is a good solid radio. It cost about a sixth of the TH-D74 and it only ticks the VHF/UHF boxes on my requirements so this is definitely one to get started and upgrade later.

    A Yaesu FT-411E was my first radio and I always had a soft spot for Yaesu, so it saddens me that they decided to make their own proprietary protocol for digital radio. This is why you don’t see any higher end Yaesu models, I don’t want to use nor support System Fusion. I really hope one day Yaesu will start producing equipment with D-Star, then I will consider again buying their higher end models.

    A Baofeng

    baofeng's messy product line in the uk

    This would cost me the same as a pizza. It’s definitely in the buy something to get started and upgrade later. From a cost point of view, this is a no-brainier. I could just go ahead and buy one or two just for the lolz. I do have two issues with it:

    The first is quality. Obviously I don’t expect high end quality, but I read some reports of horrible things. I don’t want to buy a paperweight.

    The second issue is that I don’t know which one to get. Their line of products is a mess. In the UK they have a gazillion different models. They changed names three times (Pofang, Misuta). Their website is confusing and once I drill down on all the models, they seem to be all the same. If you look at their American presence, there they offer two radios with clear pros and cons, none of which are available in the UK.

    Conclusion

    Well, I don’t have one. I haven’t made a decision yet. I’d like to just buy a Baofeng now and upgrade later, but it sounds like I’m buying a problem. Getting the Yaesu seems a bit expensive for an upgrade-later path (but not too bad). Getting any of the high ends feel like throwing money for a toy instead of taking on a new hobby in a sensible manner.

    Any word of advice?

  • My main computer was an Apple MacBook Pro for about 8 or 9 years. That is, until last January, when I said good-bye to Apple. It wasn’t easy, but the last iteration of the MacBook Pro is terrible.

    I’m not against the touch bar. I think keyboards need more innovation and I applaud the effort. But aside from the touch bar, the keyboard feels weird because they tried to make their power-user product super thin.

    Let me repeat that: for their power user product Apple favors a bit of thinness over usability.

    I don’t know how much of that also pushed them to produce an underpowered product with not a lot of RAM, very expensive hard drive, very expensive in general.

    At the same time as I was in need of a new laptop, I was putting together a gaming computer and I decided instead to add some more funding to that project and turn it into a proper workstation. For the price of a MacBook Pro, I got the most amazing workstation I could ever want. Granted, it’s not mobile, but I need my nice keyboard and monitors to work anyway, so, it suits me well.

    I’m really surprised to be back using Microsoft Windows as my main operating system; something that hasn’t happened since Windows NT 4.0. And I’m happy about it.

    Goodbye Apple, it was fun while it lasted.

  • I’m evaluating re-writing Dashman in Java (instead of Electron). It’s too early to tell, but so far all the experiments and the early re-write are going well and it’s solving the issues I was having with Electron. This short post is about CircleCI.

    Because now I’m using common, boring technologies, I decided setting a CI was going to be easy enough that I didn’t mind doing it and I chose CircleCI, mostly because of their free plan.

    Sadly, my project didn’t work out of the box. JavaFX was nowhere to be found. The reason was that CircleCI uses OpenJDK instead of the Oracle’s JDK by default. I guess that’s enough for the vast majority of people. Switching to Oracle’s JDK was not hard, but I couldn’t find a straightforward post, so, this is it.

    CircleCI gives you a configuration example that contains something like this:

    [code]
    version: 2
    jobs:
    build:
    docker:
    # specify the version you desire here
    – image: circleci/openjdk:8-jdk
    [/code]

    I’m not very familiar with Docker and how CircleCI uses, all I know is that it’s a container system for, essentially, operating system images. CircleCI has a repo of Docker images and the one that include’s Oracle’s JDK is called circleci/jdk8. What comes after the colon in the config is the version of the Docker image (I think) which Docker calls tags and for this one, at the time of this writing, there was 0.1.1 but you can easily check the latest one here: https://hub.docker.com/r/circleci/jdk8/tags/

    With that in mind, the config should now look like this:

    [code]
    version: 2
    jobs:
    build:
    docker:
    # specify the version you desire here
    – image: circleci/jdk8:0.1.1
    [/code]

    And that’s it… well, unless you are using Gradle. That image doesn’t provide Gradle, so, you need to replace all the mentions of gradle with gradlew and use the wrapper that should be part of your repo. But before that will work, you need to make that file executable on the CircleCI server by calling chmod +x gradlew on it. The resulting config file for me looks like this:

    [code]
    # Java Gradle CircleCI 2.0 configuration file
    #
    # Check https://circleci.com/docs/2.0/language-java/ for more details
    #
    version: 2
    jobs:
    build:
    docker:
    # specify the version you desire here
    – image: circleci/jdk8:0.1.1

    # Specify service dependencies here if necessary
    # CircleCI maintains a library of pre-built images
    # documented at https://circleci.com/docs/2.0/circleci-images/
    # – image: circleci/postgres:9.4

    working_directory: ~/repo

    environment:
    # Customize the JVM maximum heap limit
    JVM_OPTS: -Xmx3200m
    TERM: dumb

    steps:
    – checkout
    – run: chmod +x gradlew

    # Download and cache dependencies
    – restore_cache:
    keys:
    – v1-dependencies-{{ checksum "build.gradle" }}
    # fallback to using the latest cache if no exact match is found
    – v1-dependencies-

    – run: ./gradlew dependencies

    – save_cache:
    paths:
    – ~/.m2
    key: v1-dependencies-{{ checksum "build.gradle" }}

    # run tests!
    – run: ./gradlew test
    [/code]

    And that’s it, that worked.