Checking if type == list in python

后端 未结 5 1701
孤城傲影
孤城傲影 2020-12-01 04:08

I may be having a brain fart here, but I really can\'t figure out what\'s wrong with my code:

for key in tmpDict:
    print type(tmpDict[key])
    time.sleep         


        
相关标签:
5条回答
  • 2020-12-01 04:33

    This seems to work for me:

    >>>a = ['x', 'y', 'z']
    >>>type(a)
    <class 'list'>
    >>>isinstance(a, list)
    True
    
    0 讨论(0)
  • 2020-12-01 04:34

    Python 3.7.7

    import typing
    if isinstance([1, 2, 3, 4, 5] , typing.List):
        print("It is a list")
    
    0 讨论(0)
  • 2020-12-01 04:41

    Your issue is that you have re-defined list as a variable previously in your code. This means that when you do type(tmpDict[key])==list if will return False because they aren't equal.

    That being said, you should instead use isinstance(tmpDict[key], list) when testing the type of something, this won't avoid the problem of overwriting list but is a more Pythonic way of checking the type.

    0 讨论(0)
  • 2020-12-01 04:45

    You should try using isinstance()

    if isinstance(object, list):
           ## DO what you want
    

    In your case

    if isinstance(tmpDict[key], list):
          ## DO SOMETHING
    

    To elaborate:

    x = [1,2,3]
    if type(x) == list():
        print "This wont work"
    if type(x) == list:                  ## one of the way to see if it's list
        print "this will work"           
    if type(x) == type(list()):
        print "lets see if this works"
    if isinstance(x, list):              ## most preferred way to check if it's list
        print "This should work just fine"
    

    The difference between isinstance() and type() though both seems to do the same job is that isinstance() checks for subclasses in addition, while type() doesn’t.

    0 讨论(0)
  • 2020-12-01 04:45

    Although not as straightforward as isinstance(x, list) one could use as well:

    this_is_a_list=[1,2,3]
    if type(this_is_a_list) == type([]):
        print("This is a list!")
    

    and I kind of like the simple cleverness of that

    0 讨论(0)
提交回复
热议问题