cmd/repeat.py

58 lines
1.2 KiB
Python
Raw Normal View History

2019-06-12 05:41:31 +00:00
'''
Repeat the input as many times as you want.
2019-06-12 05:41:31 +00:00
> repeat "hello" 8
> repeat "yowza" inf
2019-06-12 05:41:31 +00:00
> echo hi | repeat !i 4
'''
import argparse
2019-06-12 05:41:31 +00:00
import sys
from voussoirkit import pipeable
def repeat_inf(text):
try:
while True:
pipeable.stdout(text)
except KeyboardInterrupt:
return 0
def repeat_times(text, times):
try:
times = int(times)
except ValueError:
pipeable.stderr('times should be an integer >= 1.')
return 1
if times < 1:
pipeable.stderr('times should be >= 1.')
return 1
try:
for t in range(times):
pipeable.stdout(text)
except KeyboardInterrupt:
return 1
def repeat_argparse(args):
text = pipeable.input(args.text, split_lines=False)
if args.times == 'inf':
return repeat_inf(text)
else:
return repeat_times(text, args.times)
def main(argv):
parser = argparse.ArgumentParser(description=__doc__)
parser.add_argument('text')
parser.add_argument('times')
parser.set_defaults(func=repeat_argparse)
2019-06-12 05:41:31 +00:00
args = parser.parse_args(argv)
return args.func(args)
2019-06-12 05:41:31 +00:00
if __name__ == '__main__':
raise SystemExit(main(sys.argv[1:]))