Driver's license magnetic strip data format

1.3k Views Asked by At

From this wikipedia article(http://en.wikipedia.org/wiki/Magnetic_stripe_card#cite_note-14), I understand the basic data format for driver's license. It starts with the location data which looks like this: %CODENVER^

I am wondering what if the city consists of two or more words like New York City?

What does the data output look like, and is it a white-space character that separates the words, or it's something else?

How do I write a c++ statement to return each word in the city name in different strings?

1

There are 1 best solutions below

0
On

It will depend on the delimiter. States use different formats for their data. Mag stripes will have one delimiter to split the data into different sections, then another delimiter to split the sections into individual parts.

For an example, let's say that the data you want to parse is:

New^York^City

Use something like this to split it out:

int main()
{
    std::string s = "New^York^City";
    std::string delim = "^";

    auto start = 0U;
    auto end = s.find(delim);
    while (end != std::string::npos)
    {
        std::cout << s.substr(start, end - start) << std::endl;
        start = end + delim.length();
        end = s.find(delim, start);
    }

    std::cout << s.substr(start, end);
}

Then your output should be:

New
York
City

Search more for C++ string parsing. I used the split function from here: Parse (split) a string in C++ using string delimiter (standard C++)