| Total Complexity | 13 |
| Total Lines | 53 |
| Duplicated Lines | 0 % |
| Changes | 0 | ||
| 1 | import collections |
||
| 2 | |||
| 3 | |||
| 4 | def completely_empty(val): |
||
| 5 | if type(val) == str: |
||
| 6 | if val == '': |
||
| 7 | return True |
||
| 8 | else: |
||
| 9 | return False |
||
| 10 | |||
| 11 | if type(val) == list: |
||
| 12 | if len(val) == 0: |
||
| 13 | return True |
||
| 14 | else: |
||
| 15 | return all([completely_empty(i) for i in val]) |
||
| 16 | |||
| 17 | if type(val) == dict: |
||
| 18 | if len(val) == 0: |
||
| 19 | return True |
||
| 20 | elif len(val.keys()) == 1 and '' in val: |
||
| 21 | return True |
||
| 22 | return False |
||
| 23 | |||
| 24 | if type(val) == tuple: |
||
| 25 | return completely_empty(list(val)) |
||
| 26 | |||
| 27 | try: |
||
| 28 | val.__getitem__(0) |
||
| 29 | except IndexError: |
||
| 30 | return True |
||
| 31 | except AttributeError: |
||
| 32 | pass |
||
| 33 | |||
| 34 | if isinstance(val, collections.Iterable): |
||
| 35 | return all([completely_empty(i) for i in val]) |
||
| 36 | else: |
||
| 37 | return False |
||
| 38 | |||
| 39 | |||
| 40 | if __name__ == '__main__': |
||
| 41 | # These "asserts" using only for self-checking |
||
| 42 | # and not necessary for auto-testing |
||
| 43 | assert completely_empty([]) == True, "First" |
||
| 44 | assert completely_empty([1]) == False, "Second" |
||
| 45 | assert completely_empty([[]]) == True, "Third" |
||
| 46 | assert completely_empty([[], []]) == True, "Forth" |
||
| 47 | assert completely_empty([[[]]]) == True, "Fifth" |
||
| 48 | assert completely_empty([[], [1]]) == False, "Sixth" |
||
| 49 | assert completely_empty([0]) == False, "[0]" |
||
| 50 | assert completely_empty(['']) == True |
||
| 51 | assert completely_empty([[], [{'': 'No WAY'}]]) == True |
||
| 52 | print('Done') |
||
| 53 |