C++ Programming Interviews: What Interviewers Want You To Show

Diego Dagum - MSFT

A recent study showed that C++ is still among the most used languages (ahead of any other Visual Studio officially supported language like C# or Visual Basic). But despite being widely used and known by several generations of developers –thanks that it has been out there for decades now, while being still the most taught language in the Academy- when you look for a C++ development job those facts don’t guarantee that you’ll be chosen. It will depend on how well you perform in the programming interview –among other factors. Regardless of how deeply you know the C++ syntax, how many STL components you memorize, it will be your abilities of using “the right tool for the right task” what will define your eligibility. This post will seem like a lost chapter of the book Programming Interviews Exposed-Secrets to Landing Your Next Job, 2nd Edition [Mongan, Soujanen, Giguère; Wrox 2007], but it’s based on reflections I can share from a programming interview I participated. While this post is initially intended for candidates who are to be interviewed, it feels like a novice programming interviewer may get some ideas from here about what to check on a candidate.

 

In an interview, I was asked to pseudo-code a function that returns the decimal equivalent of a roman numeral received as input. It seems like a trivial challenge but what the aspiring candidate must keep in mind, first of all, is the fact that the interviewer isn’t curious about your background with roman numerals. What he/she wants to check are your abilities in problem solving. Beside, the roman numeric system isn’t that trivial compared with the decimal system. It’s non-positional (in the sense that you don’t get ones in the last position, tens in the penultimate, hundreds in the position before, etc.). Beside, the system only contains symbols to represent powers of 10 (10n, n=0, …,3) and 5×10n (n=0, …,2). Bizarre enough, huh? I wonder if the romans created this numeral system in order to later use it in programming interviews.

Regarding those unusual features, the first thing I started doing –in front of my interviewer and with the whiteboard marker in my hand- was an exploration of typical equivalences, easy and not so easy roman numeral cases with their expected result. Those served me to both, craft the algorithm toward the general case and test my derived solution for correctness.

Image 7026 image 1DDB4998

Those and some few other examples help us determine some basic syntax rules in roman numerals. Rules like repetition of characters (III, CC, XXX, …); subtraction (IX, CD, …); etc.

Those same rules have their own limitations, for instance

Image 4300 image 4F66B72D

In other words, repetition is only allowed to characters I, X, C and M (1, 10, 100 and 1000 respectively) but not to V, L, D (5, 50, 500 respectively) and -while not represented in these examples- it can’t happen more than three times either. Subtracting V, L or D isn’t allowed either. Likewise, the 3rd erroneous example shows that we can get a character subtracting its immediate follower, but this latter can’t subtract to a third one (that is to say, a subtracting portion in a whole roman numeral only involves two characters).

Talk about all these rules, exceptions and thoughts like thinking in loud voice, as you write them down in some margin (whiteboard in my case but it could be a piece of paper you were given). If available, use two different colors to separate DO’s and DON’T’s.

Image 0576 image 1D02E3AE

There are yet other syntax rules but, with my interviewer, we agreed to stop here as was good enough to show some skills in the remaining time.

Let’s start shaping the function skeleton, its public interface and expected return types

  1. namespace RomanNumeral {
  2.     unsigned int rtoi(const basic_string<Ch>& romanStr);
  3.     …
  4. }

The function name, rtoi(), was chosen for its similarity in intention with atoi(). There are several decisions to explain here:

  • The returned type was chosen as unsigned int. Roman numerals don’t consider neither 0 (zero) nor negative numbers. For that reason, I wanted to make sure that the returned type were as restrictive as possible. It may be argued that by allowing all kind of int, we could have taken the convention of using negative numbers to represent errors like invalid inputs, etc. But the drawback of that approach is that the caller of the function will have to take the precaution of explicitly asking for error conditions coming as output. If the caller fails to check this out and just used the result instead, the execution would turn into an undetermined state. That’s why I preferred to escalate an error. We recently debated about exceptions and while there’s no one-size-fits-all solution for it, I liked to declare my conversion exception as a subclass of STL runtime error:
  1. namespace RomanNumeral {
  2.     …
  3.     enum ConversionErrorCause {
  4.         IllegalSymbol,        // input contains a symbol other than I, V, X, L, C, D, M
  5.         IllegalRepetition,    // I, X, C, M repeated more than three times, or any other symbol repeated
  6.         IllegalSubtraction    // V, L, D can’t subtract
  7.     };
  8.     class ConversionError : public std::runtime_error
  9.     {
  10.     private:
  11.         ConversionErrorCause m_Cause;
  12.     public:
  13.         ConversionError(ConversionErrorCause);
  14.         ConversionErrorCause cause();
  15.     };
  16.     …
  17. }

There’s no prescription indicating that your exceptions should inherit from STL runtime_error or any other STL exception, but there’s some consensus that if this practice were widely adopted, you have an alternative to the catch (…) ellipsis that in Windows and non-Windows systems may catch things other than C++ exceptions (beside not telling you exactly what exception occurred, just that something went wrong). Conversely, some other authors have arguments against throwing exceptions (arguing that it comes at the expense of a runtime overhead among other reasons.) They suggests alternatives like the old C global errno or similar (especially when the function is intended to validate user input). Those authors propose that exception throwing should be a last instance resort when nothing else may be attempted. In my case, this function is just a library function: it may be called by a UI validator object or by another component not necessarily related with user input so I can’t make such assumptions like a human been being in front of the application to attempt a manual recovery, etc. This general purpose function will react to input errors by throwing exceptions. Period. As you can see in the code sample above, I created a generic exception for any potential cause instead of making a complete exception hierarchy, as long as I still provide through its cause() method (and, when defining this exception, through its std::runtime_error::what() method as well) what specifically failed. Alright, enough said about exceptions, let’s keep reviewing the function interface.

  • Regarding its input argument, the reader might wonder why to declare it as const. The fact is that this function shouldn’t modify its input in any way. Therefore, is not a bad idea to enforce that so if some day, as a consequence of maintenance, any programmer modified the input declared as constant, the application wouldn’t compile.
  • Another aspect considering the input string is the fact that I chose it as wstring instead of simply string type. The fact is that most systems nowadays work with expanded character sets (typically UNICODE), as they better handle internationalization in currently Internet-enabled, interconnected age. You don’t have to reason like me here, as long as you are able to understand the context where your decisions are being taken. A wrong decision, though, would have been preferring string for simplicity: from a programming perspective, both types are siblings, specializing a common STL type called basic_string (with char and wchar_t, depending on the simple or expanded case). In fact, if the interviewer asked you about a generic solution, that would come as follows:
  1. namespace RomanNumeral {
  2.     template<typename Ch> unsigned int rtoi(const basic_string<Ch>& romanStr);
  3.     …
  4. }

Yet one may argue about the decision of using the STL version of strings instead of the C-style, 0 (zero)-terminated char arrays. The decision in favor of the STL ones was based on the fact that they encapsulate a lot of the functionality a string must accomplish in order to be considered safe. For instance, a wchar_t* counterpart of our wstring could have come without the expected binary 0 (zero) ending char, leading to a potential buffer overrun. An STL-based string doesn’t have this problem because it handles its own memory (first reason), and its length isn’t based on a potentially missed ending flag. STL strings are safer than their C-style counterparts, what doesn’t mean they are safe. They are just less error-prone and therefore recommended by several authors. They may impose certain overhead but in most of cases that overhead won’t be absent in high quality, defensive-coding version using C-style strings. It’s just a matter of deciding whether you programmer want to be responsible for that overhead or take advantage of those already baked versions that the STL put available for you.

  • A last comment, prior to move inside the function definition itself, is the fact that the string argument is passed as a reference (by adding the ampersand modifier). It’s a matter of efficiency: if the ampersand was not present, the string would be passed by value, being copied to the stack with the consequent overhead. I’d rather avoid that.

All these said, let’s go through the function definition. I’ll finally implement here a generic version (now that I’ve mentioned that possibility)

  1. template<typename Ch> unsigned int rtoi(const basic_string<Ch>& romanStr) {
  2.     int result = 0;                /* value to return */
  3.     AdditiveTerm currentTerm;
  4.     unsigned int repeatedTimes;
  5.     Ch lastSymbol = L‘\0’, currentSymbol, nextSymbol;
  6.     /* main computing loop: inside reasonable length and without reaching the
  7.        end of the null terminated string */
  8.     for (typename basic_string<Ch>::const_iterator iter = romanStr.begin(),
  9.             iterNext;
  10.             iter!=romanStr.end();
  11.             iter+= currentTerm.size,
  12.             result+= currentTerm.value) {
  13.         currentSymbol = *iter;
  14.         /* Rule 1: Repetition. Can’t happen more than three times and not every
  15.            symbol is repeatable */
  16.         if (lastSymbol==currentSymbol) {
  17.             if ((++repeatedTimes==4)||(isNotRepeatable(currentSymbol))) {
  18.                 throw ConversionError(IllegalRepetition);
  19.             }
  20.         } else {
  21.             repeatedTimes = 1;
  22.             lastSymbol = currentSymbol;
  23.         }
  24.         /* the current symbol plus its follower (if not at the end) are
  25.            evaluated in getNexAdditive() to see how much to cumulate*/
  26.         nextSymbol = ((iterNext = iter+1)==romanStr.end()) ? L‘0’ : *(iterNext);
  27.         currentTerm = getNextTerm(currentSymbol, nextSymbol);
  28.     }
  29.     return result;
  30. }

In few words, this function consists in a loop through all the input string chars. For each char we check whether it repeats or not the last one (in case it does, we control that repeated chars don’t reach 4 times). We also make sure that not every symbol is allowed to be repeated by calling the inline function isNotRepeatable(…) –defined as follow:

  1. template<typename Ch> inline bool isNotRepeatable(Ch c) {
  2.     return ((c==L‘V’)||(c==L‘L’)||(c==L‘D’));
  3. }

By making it inline, we are instructing the compiler to avoid making any explicit call involving the stack. Instead this code will be spanned in the calling method, making the proper variable substitution. We could have defined a macro this way

  1. #defineisNotRepeatable(c)    (((c)==L‘V’)||((c)==L‘L’)||((c)==L‘D’))

but in that case we have less control on data being passed/received. An inline function is a better practice and presumably won’t involve the overhead of a true function call.

The iteration then locates the symbol next to the one being analyzed in the current iteration, and passes both to the function getNextTerm(…). The purpose of that function, given those two symbols, is to determine whether both should be combined in a subtraction (the typical case of IV, where I is being subtracted from V for instance), or a case like VI, where only the V will be considered for the iteration, discarding the I (which will be picked up by the next iteration).

Thus, the output of this function is a struct defined as follows

  1. typedef struct AdditiveTerm {
  2.     unsigned int value, size;
  3. } AdditiveTerm;

As the reader may see, the value member contains the value to be added to the ongoing result. The size member, instead, will contain either 1 or 2 depending on whether both symbols were considered (as a subtraction) or only the first one while the other was ignored. Those two activities can be seen as the ending portion of the for loop.

Let’s complete the implementation by defining getNextTerm(…) function:

  1. template<class Ch> AdditiveTerm getNextTerm(
  2.         const Ch firstRomanChar, const Ch follower) {
  3.     AdditiveTerm result;
  4.     result.size = 1;    // default size
  5.     switch (firstRomanChar) {
  6.     case L‘I’:
  7.         switch (follower) {
  8.         case L‘V’:
  9.             /* I (1) subtracting to V (5) results in 4 */
  10.             result.value = 4;
  11.             /* a subtraction involves 2 symbols, so size is 2 */
  12.             result.size = 2;
  13.             break;
  14.         case L‘X’:
  15.             result.value = 9;
  16.             result.size = 2;
  17.             break;
  18.         case L‘L’:
  19.         case L‘C’:
  20.         case L‘D’:
  21.         case L‘M’:
  22.             /* a subtractor can’t be less than a 10% of its follower
  23.                (i.e.: 99, IC wrong; must be XCIX) */
  24.             throw ConversionError(IllegalSubtraction);
  25.         default:
  26.             result.value = 1;    /* follower ignored */
  27.         };
  28.         break;
  29.     case L‘V’:
  30.         /* V, L and D aren’t subtractor in Roman numerals */
  31.         result.value = 5;
  32.         break;
  33.     case L‘X’:
  34.         switch (follower) {
  35.         case L‘L’:
  36.             result.value = 40;
  37.             result.size = 2;
  38.             break;
  39.         case L‘C’:
  40.             result.value = 90;
  41.             result.size = 2;
  42.             break;
  43.         case L‘D’:
  44.         case L‘M’:
  45.             throw ConversionError(IllegalSubtraction);
  46.         default:
  47.             result.value = 10;
  48.         };
  49.         break;
  50.     case L‘L’:
  51.         result.value = 50;
  52.         break;
  53.     case L‘C’:
  54.         switch (follower) {
  55.         case L‘D’:
  56.             result.size = 2;
  57.             result.value = 400;
  58.             break;
  59.         case L‘M’:
  60.             result.size = 2;
  61.             result.value = 900;
  62.             break;
  63.         default:
  64.             result.value = 100;
  65.         };
  66.         break;
  67.     case L‘D’:
  68.         result.value = 500;
  69.         break;
  70.     case L‘M’:
  71.         result.value = 1000;
  72.         break;
  73.     default:
  74.         throw ConversionError(IllegalSymbol);
  75.     }
  76.     return result;
  77. }

At a first glance this function could look overwhelming, but the reader will immediately discover that it’s logic is pretty basic and repetitive, despite all the possible cases.

 

Before the interviewer, for completeness, it follows an analysis of the border conditions. For instance, what if the string received as argument is empty (equivalent to “”)? In our case, the function will return 0. It could have also thrown an exception as well, but I’d rather preferred the former option.

We should also test the cases evaluated initially, in order to confirm/tune up the algorithm. I’ve already done it, but I leave those to the reader as an exercise.

From the algorithm itself, it follows a complexity analysis. In that sense, we could conclude that its order is linear to the length of the input. Or, in other words, its complexity is O(n), n being the length of the input, which is pretty much acceptable. Complexities to be avoided whenever possible are quadratic ones –O(n2)– or higher, not to mention exponential ones.

A possible implementation of this function, together with tons of test cases plus an inverse function itor(…) –which takes an integer and returns its roman equivalent- is offered here.

 

Epilogue

There’s a golden lesson to learn regarding programming interviews: do never do more than it was requested, as it may suggest a negative perception about you having difficulties to focus on what’s necessary at a given time. To put an example, I could have solved this test by creating a class called RomanNumeral, with a constructor that receives an input string like the rtoi() function I just defined, so we can later add RomanNumeral objects by redefining the + operator, multiply, etc. as a brand new numeral type. Sounds awesome but… what’s the point in doing so? How likely is, in the real world, that such kind of empowered data type is required? Admittedly, the problem posed in this case is hypothetical but, what’s the reason in answering a hypothetical question by extending the hypothesis beyond its original boundaries?

Bottom line: flying too high while solving a concrete, punctual requirement won’t provoke any other effect than getting your interviewer scared about your abilities to deliver a well-designed solution without falling in the temptation of overarchitecting it unnecessarily, with the potential risk of missing your chance to get the job.

0 comments

Discussion is closed.

Feedback usabilla icon