美文网首页
Python随堂

Python随堂

作者: Captain_tu | 来源:发表于2017-06-26 18:23 被阅读14次

    2017.6.26

    1. 关于*和**
      def func(a,b,c, *d, e):
      print(a, b, c, d, e)
      a = {"a":1, "c": 3, "b":2, "d":4, "e":5, "f":6}
      f(
      a) #('a', 'c', 'b', ('d', 'e', 'f')) a将a作为迭代,依次对应各个参数
      f(
      a) #(1, 2, 3, (), {'d':4, 'e':5, 'f':6}) **a是关键词参数,a必须是map,和参数一一对照

    2. struct
      import struct
      #struct.pack可以将数字格式化的打包成bytes
      struct.pack("<3h", -10, 20, 30)
      #其中3指的后边参数的数量,h指的是打包成16位有符号整数,可以打包负数
      #H是16位无符号整数, i是32位有符号整数,q是64位有符号整数,f是32位浮点数,d是64位浮点数(相当于python的float类型),?是布尔型,s是bytes或者bytearray

    3. 关于_method, __method和__method__
      _method说明这个方法或者属性是私有的,外部不应该调用
      __method 用来避免子类覆盖其内容,实际调用的是_obj__method(python起的别名)
      __method__ 意味着不要调用这个方法,他是python自己调用或者特殊情况重写的方法

      class obj:
      def a(self):
      return 123

           def _b(self):
               return 456
      
           def __c(self):
               return 789
      
           @property
           def d(self):
               return self.__d
      
           @d.setter
           def d(self, d):
               self.__d = d
      
           def method(self):
               return self.__c()
      
           def method2(self):
               return self._b()
      
           #当执行obj + 2时执行
           def __add__(self, b)
               return b**b
      
       class obj2(obj):
           def __c(self):
               return 987
      
           def _b(self):
               return "2-456"
      
       o2 = obj2()
       o2.method()      #789
       o2.method2()    #2-456
      
    4. @property
      class obj:
      def init(self, a=1, b=2, c=3, d=4):
      self.__a = a
      self.__b = b
      self.__c = c
      self.d = d

           @property
           def a(self):
               return self.__a
      
           @a.setter
           def a(self, a):
               self.__a = a
           
           @property
           def b(self):
               return self.__b
      
       o = obj()
       print(o.a)
       print(o.b)
       print(o.c)
       print(o.d)
       o.a = 12    #success
       o.b = 22    #AttributeError: can't set attribute
       o.c = 32    #AttributeError: 'obj3' object has no attribute 'c'
       o.__c = 32 #print(o.__c) 不应该这样写
       o.d = 42    #success

    相关文章

      网友评论

          本文标题:Python随堂

          本文链接:https://www.haomeiwen.com/subject/hbxjcxtx.html