python测试代码

/ 0评 / 0
#!/usr/sbin/python

# -*- coding: utf-8 -*-

'''
for function test
'''

__author__ = 'yuhenyun'

import sys


class Base(object):
    def __init__(self, val):
        self.__val = val

    def show_val(self):
        print(self.__val)


class Derived(Base):
    my_value = None

    def __init__(self, val):
        super(Derived, self).__init__(val)
        super().__init__(val)
        self.__val = val

    def show_val(self):
        print(self.__val)


def func_test(li, a, b, c, /, d, e, f=30, *args, g=100, h, **kwargs):
    li.append(7)  # l是可变对象,append之后外部的值也会改变,外部内部都改变
    a = 100  # a是不可变对象,所以外部值不改变,只在函数内部改变了a的值
    pass


def func_test1(p1, p2, p3, /, q1, q2, *, kw1, kw2, **kwargs):
    if not isinstance(p1, list):
        raise TypeError('p1 type error')
    else:
        print('p1 id: %s' % id(p1))
        p1.append('str')
        print('p1 id: %s' % id(p1))
        print('p2 id: {}'.format(id(p2)))
        p2 = 100
        print('p2 id: {}'.format(id(p2)))
        print(p1, p2, p3, q1, q2, kw1, kw2)
    pass


# python采用共享传参方式
# 不可变对象:number,string,tuple,相当于值传递
# 可变对象:list,set,dict,相当于指针传递


def main():
    li = [4, 5, 6]
    a = 1
    d = {'h': 200, 'g': 100, 'i': 300, 'j': 400}
    print('li id: %s' % id(li))
    print('a id: {}'.format(id(a)))
    func_test1(li, a, 2, q2=3, q1=4, kw1=10, kw2=11, **{'kw3': 12, 'kw4': 13})
    func_test(li, a, 2, 3, f=20, d=10, e=30, **d)
    for key, value in d.items():
        print(key, value)
    for val in li:
        print(val)
    li.pop(0)
    print(type(enumerate(li)))
    print(tuple(enumerate(li)))
    for key, value in enumerate(li):
        print(key, value)
    derived = Derived(100)
    derived.show_val()

    tup = (7, 8, 9)
    print(tup)
    # print (derived._Derived__val)
    # print(derived)


if __name__ == '__main__':
    main()