In a file (say parser.py
) I have:
import argparse def parse_cmdline(cmdline=None): parser = argparse.ArgumentParser() parser.add_argument('--first-param',help="Does foo.") parser.add_argument('--second-param',help="Does bar.") if cmdline is not None: args = parser.parse_args(cmdline) else: args = parser.parse_args() return vars(args) if __name__=='__main__': print parse_cmdline()
Sure enough, when called from the command line it works and give me pretty much what I expect:
$ ./parser.py --first-param 123 --second-param 456 {'first_param': '123', 'second_param': '456'}
But then I want to unittest
it, thus I write a test_parser.py
file:
import unittest from parser import parse_cmdline class TestParser(unittest.TestCase): def test_parse_cmdline(self): parsed = parse_cmdline("--first-param 123 --second-param 456") self.assertEqual(parsed['first_param'],'123') self.assertEqual(parsed['second_param'],'456') if __name__ == '__main__': unittest.main()
Then I get the following error:
usage: test_parser.py [-h] [--first-param FIRST_PARAM] [--second-param SECOND_PARAM] test_parser.py: error: unrecognized arguments: - - f i r s t - p a r a m 1 2 3 - - s e c o n d - p a r a m 4 5 6 E ====================================================================== ERROR: test_parse_cmdline (__main__.TestParser) ---------------------------------------------------------------------- Traceback (most recent call last): File "./test_parser.py", line 8, in test_parse_cmdline parsed = parse_cmdline("--first-param 123 --second-param 456") File "/home/renan/test_argparse/parser.py", line 12, in parse_cmdline args = parser.parse_args(cmdline) File "/usr/lib/python2.7/argparse.py", line 1691, in parse_args self.error(msg % ' '.join(argv)) File "/usr/lib/python2.7/argparse.py", line 2361, in error self.exit(2, _('%s: error: %s\n') % (self.prog, message)) File "/usr/lib/python2.7/argparse.py", line 2349, in exit _sys.exit(status) SystemExit: 2 ---------------------------------------------------------------------- Ran 1 test in 0.004s FAILED (errors=1)
As can be seen, the command line I specified (--first-param 123 --second-param 456
) became - - f i r s t - p a r a m 1 2 3 - - s e c o n d - p a r a m 4 5 6
(each character is separated by a space).
I don't understand why: what am I doing wrong?