Firefox Open Pop Ups as Tabs

We have an application at work that was built for IE 5.5, so this may have made sense at some point, but it opens up 3 new windows before you actually get to the useful part of the application. In Chrome you can right click on the title bar and choose “Show as Tab”, but Firefox doesn’t have that option. Thankfully there’s an about:config setting you can change to force all pop ups to render into a tab rather than a new window.

If you’re not familiar with about:config simply type about:config into the address bar and hit go, just like it’s a normal url. You will likely get a warning about “voiding your warranty”. Click “I’ll be careful, I promise!” and the search for newwindow. You will see an entry with a Preference Name of “browser.link.open_newwindow.restriction” and a value of 2. Change that value to 0 and all pop ups will open as tabs.

newwindow

read more

Adding the stack trace to a Java Server Page error page

I’ve recently been switched to a Java project and one of the most frustrating parts of the application (other than barely knowing Java) is the error page would only show a “An error as occurred” message and not the actual stack trace. In production this is a perfectly valid scenario, but when developing having to go back to RAD and scroll through the console to find the error message was wasting a lot of time, so after a decent amount of googling I found a way to dump the stack trace to the page.

The code ended up looking like this. In the message board post they used exception instead of error, but hopefully you get the point.

<jsp:useBean id="error" scope="request" class="java.lang.Throwable" />
<%
  Object billingError = request.getSession().getAttribute(RequestParamConstants.UNKNOWN_BILLING_ERROR);
  error = (Throwable)billingError;
%>
<%@page isErrorPage="true" import="java.io.*"%>
<pre>
  <%
    error.printStackTrace(new PrintWriter(out));
  %>
</pre>

A while after implementing this I ran into an error where the first line was about 400 characters long, so I had to scroll way over to the right. This is because by default the pre tag does not wrap, so I added this simple css fix which allows the pre tag to wrap

pre {
  white-space: pre-wrap;
}

read more

Using an if statement to conditionally run a target in Hudson

We’re running a horribly outdated version of Hudson at work (2.2.1), so this may not be relevant for people using a version of Hudson updated in the past 4 years. I was trying to conditionally run a block of code in a Hudson build and thought by setting parameters in the Ant build properties I could turn off running unit tests (based on looking at other build XML files).

I had this code in my Ant build properties

do.test=false

This didn’t work, so I echoed the value into the console and it was correctly registering at false, but the tests were still being run.

 <echo message="Do test? ${do.test}" />
  <target name="test" depends="compile" description="execute unit and functional tests" if="do.test">
    <cobertura-instrument todir="${temp.dir}/instrumented-classes" datafile="${temp.dir}/cobertura.ser">
    </cobertura-instrument>
  </target>

After quite a while trying to find an answer through Google I found out if there’s a parameter called do.test with ANY value then that is a true statement and the block will run. My solution was to rename the parameter to _do.test. You could obviously also delete the parameter, but once I had resolved my build issue I was going to turn the tests back on.

read more

Converting roman numerals to numbers using Groovy/Grails

I wrote up a post last week about my experience converting roman numerals to numbers using ColdFusion and I promised a follow-up doing the same thing in Grails.

I did learn an interesting tidbit about Grails, the maximum numbers of tests you can have in a where clause is 999. Not a big deal as this is a somewhat contrived example, but something to note nonetheless. Without further ado here is my code, once again this assumes you have entered a valid roman numeral and I’ve tested the accuracy up to 2000.

class RomanService {
  Integer romanToDecimal(String romanNumber) {
    Integer newNumber = 0, previousNumber = 0
    Map romanToNumberMapping = [M:1000, D:500, C:100, L:50, X:10, V:5, I:1]
    for (Integer oneChar = romanNumber.length() - 1; oneChar >= 0; oneChar--) {
      String oneLetter = romanNumber.charAt(oneChar)
      newNumber = processNumber(romanToNumberMapping[oneLetter], previousNumber, newNumber)
      previousNumber = romanToNumberMapping[oneLetter]
    }
    return newNumber
  }

  Integer processNumber(Integer currentNumber, Integer previousNumber, Integer newNumber) {
    return previousNumber > currentNumber ? newNumber - currentNumber : newNumber + currentNumber
  }
}

On the whole it’s really not much different than the ColdFusion version, semicolons are optional in most places (pretty much anything that’s not a for loop) and you can strongly type the return values, although that’s definitely not a requirement. I wrote the example above exactly how I’d write it for a project, but also wanted to point out some of what I’m doing isn’t really required.

One interesting thing about Groovy and not one I’m terribly fond of is if you don’t have a return statement the last piece of code executed is returned, so newNumber doesn’t need a return statement in the romanToDecimal function and in processNumber the only line is returned. I’ve left the return statements off in the code below, but it’s not something I’d normally do, it saves .1 seconds of typing to not type it and can make the code confusing in my opinion. I also left off the types of variables, but my opinion is the same as not typing out return, it doesn’t save much time to not declare the type and it can cause some unnecessary confusion especially when it’s left off in the arguments.

class RomanService {
  def romanToDecimal(romanNumber) {
    def newNumber = 0, previousNumber = 0
    def romanToNumberMapping = [M:1000, D:500, C:100, L:50, X:10, V:5, I:1]
    for (def oneChar = romanNumber.length() - 1; oneChar >= 0; oneChar--) {
      def oneLetter = romanNumber.charAt(oneChar)
      newNumber = processNumber(romanToNumberMapping[oneLetter], previousNumber, newNumber)
      previousNumber = romanToNumberMapping[oneLetter]
    }
    newNumber
  }

  def processNumber(currentNumber, previousNumber, newNumber) {
    previousNumber > currentNumber ? newNumber - currentNumber : newNumber + currentNumber
  }
}

I’ve attached my test case as an external file given the size

read more

Converting roman numerals to numbers using ColdFusion

I recently worked on a project that required translating roman numerals to the numerical counterpart, this needed to work for anything from 1-2000. I wrote my own using TDD and eventually came up with this

component {
  public function romanToDecimal(romanNumber) {
    var newNumber = 0;
    var previousNumber = 0;
    var romanToNumberMapping = {M:1000, D:500, C:100, L:50, X:10, V:5, I:1};
    var romanNumeral = ucase(romanNumber);
    for (var oneChar = romanNumeral.length() - 1; oneChar >= 0; oneChar--) {
      var oneLetter = romanNumeral.charAt(oneChar);
      if (previousNumber > romanToNumberMapping[oneLetter]) {
        newNumber-=romanToNumberMapping[oneLetter];
      } else {
        newNumber+=romanToNumberMapping[oneLetter];
      }
      previousNumber = romanToNumberMapping[oneLetter];
    }
    return newNumber;
  }
}

It’s simple enough that you should be able to add each roman numeral and it’s number into the mapping and this should theoretically work for any roman numeral, but I only tested up to 2000. This assumes that you have entered a valid roman numeral that can be translated to 1-2000.

The tests are written in MXUnit, so it’s a lot of repetition. I’ll be following up with a groovy example using spock that should have a much cleaner looking test. I’ve attached the test file and additionally have submitted this to cflib for approval.

You can download the test here if you’re so inclined.

read more

Enabling multiple cursors based on a selection in Sublime Text

I was writing a bunch of unit tests for a roman numeral translator function that I’m working on and I was copy/pasting the number and roman numeral from a few websites to validate my function was correction. My plan is to write a test for the first 5000 roman numerals, but using ctrl+d to make 5000 selections and format the selection correctly was going to take quite a while and I knew there had to be a better way.

I googled around for a while and eventually found this Stack Overflow answer. You can enable multiple cursors by making a selection and then pressing ctrl+shift+l (l as in Linux). The cursors will be automatically placed at the end of the line, but you can use ctrl+shift+left arrow key (windows command) to move word by word through your selection.

This option is also available from the Sublime menu by going to Selection > Split into Lines, where it will also tell you the shortcut if you’re not using Windows.

Keep in mind, once you’re past a couple hundred selections Sublime can be very slow even on a fast computer, so be patient if you’re enabling hundreds of cursors.

read more

Using grails assets when you can't use the asset tag

In Grails 2.4+ the asset pipeline plugin is included by default and you can access files in the assets folder by using an asset tag

  <asset:javascript src="application.js"/>
  <asset:stylesheet src="application.css"/>
  <asset:image src="logo.png" width="200" height="200"/>

However, it’s not always feasible to be able to use that syntax. One example is when loading an svg image with a png fallback. The code would ideally look like this when the HTML is generated.

<svg width="180" height="60">
  <image xmlns:xlink="https://www.w3.org/1999/xlink" xlink:href="logo.svg" src="logo.png"></image>
</svg>

Rather than using an asset tag you can use assetPath() to find the file just like using the asset tag would do. In this case our SVG and PNG images are stored in variables named logoSVG and logoPNG. When the HTML is generated the resulting HTML is as desired.

<svg width="180" height="60">
  <image xmlns:xlink="https://www.w3.org/1999/xlink" xlink:href="${assetPath(src: logoSVG)}" src="${assetPath(src: logoPNG)}"></image>
</svg>

One important thing to note is the asset plugin is not recursive, so if your file is not located in assets/images you will need to include the path relative to the images folder in your src. If your images were in an imgs folder the syntax would be like so

<svg width="180" height="60">
  <image xmlns:xlink="https://www.w3.org/1999/xlink" xlink:href="${assetPath(src: 'imgs/' + logoSVG)}" src="${assetPath(src: 'imgs/' + logoPNG)}"></image>
</svg>

read more

Run groovy scripts in sublime text

Wondering how to run Groovy files in Sublime Text? It’s really quite simple – to create a new build system in Sublime Text go to Tools > Build System > New Build System and copy/paste the code below

{
  "cmd": ["groovy","$file"],
  "selector": "source.groovy",
  "windows":
  {
    "shell": "cmd.exe"
  }
}

Once the build system is saved you should be able to type Ctrl + B to run the code and output to the Sublime console. If nothing happens you may need to go to Tools > Build System and select groovy.

This is extremely handy if you’re creating tests in Grails and want to test things without creating a full test case beforehand, writing/running tests in Grails can be excrutiating and testing within your file can help you spot mistakes much quicker than running test-app and waiting for everyting to compile and output your results.

read more

Grails - Reloading a service without stopping your app

When a grails application is started most Grails artificats are reloaded as they are changed – controllers, filters, tag libraries, but the opposite is true if you strongly type your services like below.

FakeService fakeService

However if you use untyped injected like

def fakeService

then the service will be reloaded as changes are made. This may have been obvious to most people, but I was originally going through the hassle of either restarting my app after each change (huge time waster) or creating a fakeServiceHelper where I made all my changes and introducing a needless extra layer to my application to avoid restarting my app after each change.

read more

Windows Media Center Reports No Signal when Recording

I was having a problem with my local ABC station working when I viewed the channel to watch a show, but every recording was failing saying “There was no TV signal when the show was scheduled to record” even if I went to the channel immediately following that error it was working. If I tried to press record on the show as it was playing it would fail and say no signal again. It turns out the problem is the antenna somehow is picking up two sources. I’m not sure why it could play the show live and not record, but here’s how I fixed it.

  1. Open the Program Guide
  2. Right-click the problem channel
  3. Choose Edit Channel
  4. Choose Edit Sources – you should see two sources enabled
  5. Disable one of them and try the channel again. If that doesn’t work disable the other source and try the channel again.

For reference I’m using Windows 7 with an AVerMedia M780 Tuner.

read more