2019-08-12-內存管理和拷貝

內存管理和拷貝

review

1.內置類屬性: namedocclass、dictmodule、bases
2.私有化
3.屬性的getter和setter
4.繼承
class 類名(父類1,父類2):
pass

class Person:

    def __init__(self, name, age, gender='男'):
        # name = '小明', age = 18, gender='男'
        self.name = name
        self.age = age
        self.gender = gender


class Student(Person):
    def __init__(self, name, age, study_id, gender='男'):
        # name='小明', age=18, study_id='001', gender='男'
        super(Student, self).__init__(name, age, gender)
        self.study_id = study_id


stu = Student('小明', 18, '001')

多繼承

1.多繼承

python中的類支持多繼承(讓一個類同時繼承多個類);
多繼承的時候,子類只能繼承第一個父類所有的屬性和方法,后面的父類中只有字段和方法可以被繼承

class Animal(object):
    num = 100

    def __init__(self):
        self.age = 0
        self.gender = '雌'

    @classmethod
    def func1(cls):
        print('動物類的類方法')

    def func2(self):
        print('動物類中的對象方法')


class Fly(object):
    name = '飛行器'

    def __init__(self):
        self.height = 100
        self.time = 5
        self.speed = 100

    def func2(self):
        print('飛行的對象方法')


class Bird(Animal, Fly):
    pass


bird1 = Bird()
# 字段都能繼承
print(Bird.num, Bird.name)

Bird.func1()
bird1.func2()

# print(bird1.age, bird1.gender)
# print(bird1.speed, bird1.height, bird1.time)

運算符重載

import copy

1.運算符

python中所有的類型都是類,所以所有的數據都是對象;
python中使用任意的運算符都是在調用相應類中的相應方法,每一個運算符對應什么方法是固定的,
某種數據是否支持某個運算符操作就看這個數據類型中是否實現了對應的方法

2.運算符重載指的是在不同的類中實現同樣的運算符對應的函數

類的對象默認情況下只支持: ==, !=

10 * 20
'abc'+'123'
[1, 2] + [2, 3, 4]
# {'a': 10} + {'b': 20}


class Student:
    def __init__(self, name, age, score=0):
        self.name = name
        self.age = age
        self.score = score

    def __repr__(self):
        return '<%s, id:%s>' % (str(self.__dict__)[1:-1], hex(id(self)))

    # a+b ->  a.__add__(b)
    # self -> 當前類的對象,也是+前面的那個數據
    # other -> +后面的那個數據, 類型根據運算規則的設計可以是任何類型的數據
    def __add__(self, other):
        # return self.age + other.age
        return self.score + other.score
        # return Student(self.name+other.name, self.age+other.age, self.score + other.score)
        # return self.score + other

    # a*b -> a.__mul__(b)
    def __mul__(self, other):
        list = []
        for _ in range(other):
            list.append(copy.copy(self))
        return list

    # a<b  -> a.__lt__(b)
    # 注意: <和>符號只需要重載其中一個就可以
    def __lt__(self, other):
        return self.score < other.score


stu1 = Student('小明', 19, 90)
stu2 = Student('小花', 20, 78)

# stu1.__add__(stu2)
print(stu1 + stu2)

# stu1.__add__(100)
# print(stu1 + 100)

print(stu1 * 3)

students = [stu1, stu2, Student('小紅', 12, 100)]
students.sort()
print(students)

print(stu1 < stu2)
print(stu1 > stu2)

淺拷貝和深拷貝

from copy import copy, deepcopy


class Dog:
    def __init__(self, name, color):
        self.name = name
        self.color = color

    def __repr__(self):
        return '<%s,id: %s>' % (str(self.__dict__)[1:-1], hex(id(self)))


class Person:
    def __init__(self, name, age, dog=None):
        self.name = name
        self.age = age
        self.dog = dog

    def __repr__(self):
        return '<%s,id: %s>' % (str(self.__dict__)[1:-1], hex(id(self)))


p1 = Person('小明', 18, Dog('大黃', '黃色'))

1.直接賦值

將變量中的地址直接賦給新的變量;賦值后兩個變量的地址相同

p2 = p1
print(id(p1), id(p2))    # 4537270848 4537270848
p1.name = '小花'
print(p1.name, p2.name)  # 小花 小花
p2.dog.color = '綠色'
print(p1.dog.color, p2.dog.color)   # 綠色 綠色

2.拷貝

不管是淺拷貝還是深拷貝都會對原數據進行賦值產生新的地址

list1 = [1, 2, 3]
list2 = copy(list1)
list3 = deepcopy(list1)
print(id(list1), id(list2), id(list3))

list1.append(100)
print(list2, list3)

p3 = copy(p1)
p4 = deepcopy(p1)
print(id(p1), id(p3), id(p4))
p1.name = '小紅'
print(p3.name, p4.name)

3.淺拷貝

字符串、列表和元祖的切片;對象.copy(); copy模塊中的copy方法都是淺拷貝
淺拷貝指拷貝當前對象,不會對子對象進行拷貝

print('==========淺拷貝=========')
p3 = copy(p1)
print(id(p1), id(p3))   # 4401914600 4401916336
print(id(p1.dog), id(p3.dog))  # 4567065152 4567065152
p1.name = 'Tom'
print(p1.name, p3.name)   # Tom 小紅
p1.dog.color = '紅色'
print(p1.dog.color, p3.dog.color)   # 紅色 紅色

4.深拷貝

copy模塊中的deepcopy方法是深拷貝

print('==========深拷貝=========')
p4 = deepcopy(p1)
print(id(p1), id(p4))   # 4486472592 4486474384
print(id(p1.dog), id(p4.dog))  # 4485063960 4486474552
p1.name = 'Bob'
print(p1.name, p4.name)   # Bob Tom
p1.dog.color = '橙色'
print(p1.dog.color, p4.dog.color)   # 橙色 紅色

練習:

a = ['color', 'height', 'background']
b = [a, 'aaa', 'bbb']
c1 = b
c2 = copy(b)
c3 = deepcopy(b)
a[-1] = ['BG']
b.append('ccc')

# b = [['color', 'height', 'background'], 'aaa', 'bbb']
# 問題: print(c1), print(c2), print(c3)的結果分別是
# c1 = [['color', 'height', ['BG']], 'aaa', 'bbb', 'ccc']
# c2 = [['color', 'height', ['BG']], 'aaa', 'bbb']
# c3 = [['color', 'height', 'background'], 'aaa', 'bbb']
print(c1)
print(c2)
print(c3)

枚舉

from enum import Enum, unique

枚舉值的特點:
1.可以通過有意義的屬性名直接顯示數據
2.每個數據的值不能修改
3.可以做到不同的數據的值唯一

@unique
class PokerNum(Enum):
    J = 11
    Q = 12
    K = 13
    A = 1


class Color:
    RED = (255, 0, 0)


print(PokerNum.J)
print(PokerNum.K.value, PokerNum.J.value > PokerNum.Q.value)

內存管理

from copy import copy, deepcopy
from sys import getrefcount

1.內存的開辟

內存區間分為棧區間和堆區間;棧區間的內存自動開辟自動釋放,堆區間的內存需要程序員手動開辟,手動釋放;
但是python已經將堆區間內存的開辟和釋放自動化

a.當每次給變量賦值的時候,系統會先在堆區間中開辟空間將數據存起來,然后再將數據在堆中的地址存到變量中,變量存在棧區間;
b.數字和字符串數據在開辟空間的時候,會先檢測內存中之前是否已經有這個數據,
如果有就直接使用之前的數據,沒有才開辟新的空間保存數據

a = [1, 2, 3, [1, 2]]     # [1, 2, 0xccc]
b = [1, 2, 3, [1, 2]]     # [1, 2, 0xccc]
print(id(a), id(b))    # 4484287176 4484285768
print(id(a[3]), id(b[3]))
print(id(a[0]), id(b[0]), id(a[3][0]), id(b[3][0]))   # 4449482688 4449482688 4449482688 4449482688

a1 = 100
b1 = 100
print(id(a1), id(b1))   # 4480746528 4480746528

a2 = 'hello'
b2 = 'hello'
print(id(a2), id(b2))    # 4492420184 4492420184

a3 = {'a': 10}
b3 = {'a': 10}
print(a3 == b3)    # True
print(a3 is b3)    # False


a4 = 200
b4 = deepcopy(a4)
print(id(a4), id(b4))    # 4367007904 4367007904

a5 = '安徽省打發卡機阿哈薩克阿按時發阿薩德回復杰卡斯發是打飛機啊山東礦機返回撒嬌快遞費哈薩克京東方撒地方'
b5 = '安徽省打發卡機阿哈薩克阿按時發阿薩德回復杰卡斯發是打飛機啊山東礦機返回撒嬌快遞費哈薩克京東方撒地方'
print(id(a5), id(b5))   # 4338364064 4338364064

2.內存的釋放

棧區間:全局棧區間在程序結束后銷毀,函數棧區間在函數調用結束后銷毀(自動)
堆區間: 看一個對象是否銷毀,就看這個對象的引用計數是否為0;如果一個對象的引用為0,這個對象就會銷毀;
(垃圾回收機制)
注意: python中針對對象的循環引用已經做了處理,程序員不需要寫額外的代碼來解決循環引用問題

a6 = {'name': '小明', 'age': 18}
b6 = a6
print(getrefcount(a6))
b6 = 100
print(getrefcount(a6))
del a6
print(getrefcount(b6))


class Person:
    def __init__(self, name):
        self.name = name
        self.dog = None


class Dog:
    def __init__(self, name):
        self.name = name
        self.owner = None


dog1 = Dog('大黃')
p1 = Person('小明')
p1.dog = dog1
dog1.owner = p1

del dog1
del p1

撲克洗牌發牌

from enum import Enum,unique
from random import shuffle


# 1.寫一個撲克類, 要求擁有發牌和洗牌的功能(具體的屬性和其他功能自己根據實際情況發揮)
@unique
class PokerNum(Enum):
    J = 11, 'J', 11
    Q = 12, 'Q', 12
    K = 13, 'K', 13
    A = 1, 'A', 14
    TWO = 2, '2', 15
    BigJoker = 15, '大王', 17
    SmallJoker = 14, '小王', 16


@unique
class PokerColor(Enum):
    Club = '?'
    Diamond = '?'
    Heart = '?'
    Spade = '?'
    Space = ''


class Poker:
    def __init__(self, num: PokerNum, color: PokerColor):
        self.num = num
        self.color = color

    def __repr__(self):
        if isinstance(self.num, PokerNum):
            return str(self.color.value) + str(self.num.value[1])
        return str(self.color.value)+str(self.num)

    def __gt__(self, other):
        if isinstance(self.num, PokerNum):
            a = self.num.value[2]
        else:
            a = self.num

        if isinstance(other.num, PokerNum):
            b = other.num.value[2]
        else:
            b = other.num

        return a > b


class Game:
    # 斗地主
    def __init__(self):
        pokers = []
        colors = [PokerColor.Club, PokerColor.Diamond, PokerColor.Heart, PokerColor.Spade]
        nums = [PokerNum.A, PokerNum.TWO, 3, 4, 5, 6, 7, 8, 9, 10, PokerNum.J, PokerNum.Q, PokerNum.K]
        for num in nums:
            for color in colors:
                p = Poker(num, color)
                pokers.append(p)
        pokers.extend([Poker(PokerNum.SmallJoker, PokerColor.Space), Poker(PokerNum.BigJoker, PokerColor.Space)])
        self.pokers = pokers
        self.pokers_iter = iter(self.pokers)

    # 洗牌
    def shuffling(self):
        shuffle(self.pokers)
        self.pokers_iter = iter(self.pokers)

    # 斗地主發牌方式
    def deal1(self):
        ps1 = []
        ps2 = []
        ps3 = []
        for _ in range(17):
            ps1.append(next(self.pokers_iter))
            ps2.append(next(self.pokers_iter))
            ps3.append(next(self.pokers_iter))
        ps1.sort(reverse=True)
        ps2.sort(reverse=True)
        ps3.sort(reverse=True)
        return ps1, ps2, ps3, list(self.pokers_iter)


game1 = Game()
game1.shuffling()
p1, p2, p3, di = game1.deal1()
print(p1)
print(p2)
print(p3)
print('底牌:', di)

歌詞解釋器

# (嘗試)寫一個類,其功能是:1.解析指定的歌詞文件的內容 2.按時間顯示歌詞
# 提示:歌詞文件的內容一般是按下面的格式進行存儲的。
# 歌詞前面對應的是時間,在對應的時間點可以顯示對應的歌詞
class Lyric:
    def __init__(self, time, word):
        value = float(time[1:3])*60 + float(time[4:])
        self.time = value
        self.word = word

    def __repr__(self):
        return '<'+str(self.time) + ':' + self.word+'>'

    def __gt__(self, other):
        return self.time > other.time


class LyricAnalysis:

    def __init__(self, name):
        # 歌名
        self.name = name
        self.__all_lyrics = []

    def get_word(self, time):
        # =======解析歌詞文件======
        if not self.__all_lyrics:
            print('解析歌詞')
            with open('files/'+self.name) as f:
                while True:
                    line = f.readline()
                    if not line:
                        break
                    lines = line.split(']')
                    word = lines[-1]
                    for t in lines[:-1]:
                        lyric = Lyric(t, word)
                        self.__all_lyrics.append(lyric)

            # 排序
            self.__all_lyrics.sort(reverse=True)

        # ==========獲取歌詞==========
        for lyric in self.__all_lyrics:
            if lyric.time <= time:
                return lyric.word


ly = LyricAnalysis('藍蓮花')
print('===:',ly.get_word(123))
print('===:',ly.get_word(10))
print('===:',ly.get_word(89))

ly2 = LyricAnalysis('一首簡單的歌')
print('!!!:', ly2.get_word(30))
print('!!!:', ly2.get_word(90))

內存管理和拷貝

review

1.內置類屬性: namedoc、class、dictmodulebases
2.私有化
3.屬性的getter和setter
4.繼承
class 類名(父類1,父類2):
pass

class Person:

    def __init__(self, name, age, gender='男'):
        # name = '小明', age = 18, gender='男'
        self.name = name
        self.age = age
        self.gender = gender


class Student(Person):
    def __init__(self, name, age, study_id, gender='男'):
        # name='小明', age=18, study_id='001', gender='男'
        super(Student, self).__init__(name, age, gender)
        self.study_id = study_id


stu = Student('小明', 18, '001')

多繼承

1.多繼承

python中的類支持多繼承(讓一個類同時繼承多個類);
多繼承的時候,子類只能繼承第一個父類所有的屬性和方法,后面的父類中只有字段和方法可以被繼承

class Animal(object):
    num = 100

    def __init__(self):
        self.age = 0
        self.gender = '雌'

    @classmethod
    def func1(cls):
        print('動物類的類方法')

    def func2(self):
        print('動物類中的對象方法')


class Fly(object):
    name = '飛行器'

    def __init__(self):
        self.height = 100
        self.time = 5
        self.speed = 100

    def func2(self):
        print('飛行的對象方法')


class Bird(Animal, Fly):
    pass


bird1 = Bird()
# 字段都能繼承
print(Bird.num, Bird.name)

Bird.func1()
bird1.func2()

# print(bird1.age, bird1.gender)
# print(bird1.speed, bird1.height, bird1.time)

運算符重載

import copy

1.運算符

python中所有的類型都是類,所以所有的數據都是對象;
python中使用任意的運算符都是在調用相應類中的相應方法,每一個運算符對應什么方法是固定的,
某種數據是否支持某個運算符操作就看這個數據類型中是否實現了對應的方法

2.運算符重載指的是在不同的類中實現同樣的運算符對應的函數

類的對象默認情況下只支持: ==, !=

10 * 20
'abc'+'123'
[1, 2] + [2, 3, 4]
# {'a': 10} + {'b': 20}


class Student:
    def __init__(self, name, age, score=0):
        self.name = name
        self.age = age
        self.score = score

    def __repr__(self):
        return '<%s, id:%s>' % (str(self.__dict__)[1:-1], hex(id(self)))

    # a+b ->  a.__add__(b)
    # self -> 當前類的對象,也是+前面的那個數據
    # other -> +后面的那個數據, 類型根據運算規則的設計可以是任何類型的數據
    def __add__(self, other):
        # return self.age + other.age
        return self.score + other.score
        # return Student(self.name+other.name, self.age+other.age, self.score + other.score)
        # return self.score + other

    # a*b -> a.__mul__(b)
    def __mul__(self, other):
        list = []
        for _ in range(other):
            list.append(copy.copy(self))
        return list

    # a<b  -> a.__lt__(b)
    # 注意: <和>符號只需要重載其中一個就可以
    def __lt__(self, other):
        return self.score < other.score


stu1 = Student('小明', 19, 90)
stu2 = Student('小花', 20, 78)

# stu1.__add__(stu2)
print(stu1 + stu2)

# stu1.__add__(100)
# print(stu1 + 100)

print(stu1 * 3)

students = [stu1, stu2, Student('小紅', 12, 100)]
students.sort()
print(students)

print(stu1 < stu2)
print(stu1 > stu2)

淺拷貝和深拷貝

from copy import copy, deepcopy


class Dog:
    def __init__(self, name, color):
        self.name = name
        self.color = color

    def __repr__(self):
        return '<%s,id: %s>' % (str(self.__dict__)[1:-1], hex(id(self)))


class Person:
    def __init__(self, name, age, dog=None):
        self.name = name
        self.age = age
        self.dog = dog

    def __repr__(self):
        return '<%s,id: %s>' % (str(self.__dict__)[1:-1], hex(id(self)))


p1 = Person('小明', 18, Dog('大黃', '黃色'))

1.直接賦值

將變量中的地址直接賦給新的變量;賦值后兩個變量的地址相同

p2 = p1
print(id(p1), id(p2))    # 4537270848 4537270848
p1.name = '小花'
print(p1.name, p2.name)  # 小花 小花
p2.dog.color = '綠色'
print(p1.dog.color, p2.dog.color)   # 綠色 綠色

2.拷貝

不管是淺拷貝還是深拷貝都會對原數據進行賦值產生新的地址

list1 = [1, 2, 3]
list2 = copy(list1)
list3 = deepcopy(list1)
print(id(list1), id(list2), id(list3))

list1.append(100)
print(list2, list3)

p3 = copy(p1)
p4 = deepcopy(p1)
print(id(p1), id(p3), id(p4))
p1.name = '小紅'
print(p3.name, p4.name)

3.淺拷貝

字符串、列表和元祖的切片;對象.copy(); copy模塊中的copy方法都是淺拷貝
淺拷貝指拷貝當前對象,不會對子對象進行拷貝

print('==========淺拷貝=========')
p3 = copy(p1)
print(id(p1), id(p3))   # 4401914600 4401916336
print(id(p1.dog), id(p3.dog))  # 4567065152 4567065152
p1.name = 'Tom'
print(p1.name, p3.name)   # Tom 小紅
p1.dog.color = '紅色'
print(p1.dog.color, p3.dog.color)   # 紅色 紅色

4.深拷貝

copy模塊中的deepcopy方法是深拷貝

print('==========深拷貝=========')
p4 = deepcopy(p1)
print(id(p1), id(p4))   # 4486472592 4486474384
print(id(p1.dog), id(p4.dog))  # 4485063960 4486474552
p1.name = 'Bob'
print(p1.name, p4.name)   # Bob Tom
p1.dog.color = '橙色'
print(p1.dog.color, p4.dog.color)   # 橙色 紅色

練習:

a = ['color', 'height', 'background']
b = [a, 'aaa', 'bbb']
c1 = b
c2 = copy(b)
c3 = deepcopy(b)
a[-1] = ['BG']
b.append('ccc')

# b = [['color', 'height', 'background'], 'aaa', 'bbb']
# 問題: print(c1), print(c2), print(c3)的結果分別是
# c1 = [['color', 'height', ['BG']], 'aaa', 'bbb', 'ccc']
# c2 = [['color', 'height', ['BG']], 'aaa', 'bbb']
# c3 = [['color', 'height', 'background'], 'aaa', 'bbb']
print(c1)
print(c2)
print(c3)

枚舉

from enum import Enum, unique

枚舉值的特點:
1.可以通過有意義的屬性名直接顯示數據
2.每個數據的值不能修改
3.可以做到不同的數據的值唯一

@unique
class PokerNum(Enum):
    J = 11
    Q = 12
    K = 13
    A = 1


class Color:
    RED = (255, 0, 0)


print(PokerNum.J)
print(PokerNum.K.value, PokerNum.J.value > PokerNum.Q.value)

內存管理

from copy import copy, deepcopy
from sys import getrefcount

1.內存的開辟

內存區間分為棧區間和堆區間;棧區間的內存自動開辟自動釋放,堆區間的內存需要程序員手動開辟,手動釋放;
但是python已經將堆區間內存的開辟和釋放自動化

a.當每次給變量賦值的時候,系統會先在堆區間中開辟空間將數據存起來,然后再將數據在堆中的地址存到變量中,變量存在棧區間;
b.數字和字符串數據在開辟空間的時候,會先檢測內存中之前是否已經有這個數據,
如果有就直接使用之前的數據,沒有才開辟新的空間保存數據

a = [1, 2, 3, [1, 2]]     # [1, 2, 0xccc]
b = [1, 2, 3, [1, 2]]     # [1, 2, 0xccc]
print(id(a), id(b))    # 4484287176 4484285768
print(id(a[3]), id(b[3]))
print(id(a[0]), id(b[0]), id(a[3][0]), id(b[3][0]))   # 4449482688 4449482688 4449482688 4449482688

a1 = 100
b1 = 100
print(id(a1), id(b1))   # 4480746528 4480746528

a2 = 'hello'
b2 = 'hello'
print(id(a2), id(b2))    # 4492420184 4492420184

a3 = {'a': 10}
b3 = {'a': 10}
print(a3 == b3)    # True
print(a3 is b3)    # False


a4 = 200
b4 = deepcopy(a4)
print(id(a4), id(b4))    # 4367007904 4367007904

a5 = '安徽省打發卡機阿哈薩克阿按時發阿薩德回復杰卡斯發是打飛機啊山東礦機返回撒嬌快遞費哈薩克京東方撒地方'
b5 = '安徽省打發卡機阿哈薩克阿按時發阿薩德回復杰卡斯發是打飛機啊山東礦機返回撒嬌快遞費哈薩克京東方撒地方'
print(id(a5), id(b5))   # 4338364064 4338364064

2.內存的釋放

棧區間:全局棧區間在程序結束后銷毀,函數棧區間在函數調用結束后銷毀(自動)
堆區間: 看一個對象是否銷毀,就看這個對象的引用計數是否為0;如果一個對象的引用為0,這個對象就會銷毀;
(垃圾回收機制)
注意: python中針對對象的循環引用已經做了處理,程序員不需要寫額外的代碼來解決循環引用問題

a6 = {'name': '小明', 'age': 18}
b6 = a6
print(getrefcount(a6))
b6 = 100
print(getrefcount(a6))
del a6
print(getrefcount(b6))


class Person:
    def __init__(self, name):
        self.name = name
        self.dog = None


class Dog:
    def __init__(self, name):
        self.name = name
        self.owner = None


dog1 = Dog('大黃')
p1 = Person('小明')
p1.dog = dog1
dog1.owner = p1

del dog1
del p1

撲克洗牌發牌

from enum import Enum,unique
from random import shuffle


# 1.寫一個撲克類, 要求擁有發牌和洗牌的功能(具體的屬性和其他功能自己根據實際情況發揮)
@unique
class PokerNum(Enum):
    J = 11, 'J', 11
    Q = 12, 'Q', 12
    K = 13, 'K', 13
    A = 1, 'A', 14
    TWO = 2, '2', 15
    BigJoker = 15, '大王', 17
    SmallJoker = 14, '小王', 16


@unique
class PokerColor(Enum):
    Club = '?'
    Diamond = '?'
    Heart = '?'
    Spade = '?'
    Space = ''


class Poker:
    def __init__(self, num: PokerNum, color: PokerColor):
        self.num = num
        self.color = color

    def __repr__(self):
        if isinstance(self.num, PokerNum):
            return str(self.color.value) + str(self.num.value[1])
        return str(self.color.value)+str(self.num)

    def __gt__(self, other):
        if isinstance(self.num, PokerNum):
            a = self.num.value[2]
        else:
            a = self.num

        if isinstance(other.num, PokerNum):
            b = other.num.value[2]
        else:
            b = other.num

        return a > b


class Game:
    # 斗地主
    def __init__(self):
        pokers = []
        colors = [PokerColor.Club, PokerColor.Diamond, PokerColor.Heart, PokerColor.Spade]
        nums = [PokerNum.A, PokerNum.TWO, 3, 4, 5, 6, 7, 8, 9, 10, PokerNum.J, PokerNum.Q, PokerNum.K]
        for num in nums:
            for color in colors:
                p = Poker(num, color)
                pokers.append(p)
        pokers.extend([Poker(PokerNum.SmallJoker, PokerColor.Space), Poker(PokerNum.BigJoker, PokerColor.Space)])
        self.pokers = pokers
        self.pokers_iter = iter(self.pokers)

    # 洗牌
    def shuffling(self):
        shuffle(self.pokers)
        self.pokers_iter = iter(self.pokers)

    # 斗地主發牌方式
    def deal1(self):
        ps1 = []
        ps2 = []
        ps3 = []
        for _ in range(17):
            ps1.append(next(self.pokers_iter))
            ps2.append(next(self.pokers_iter))
            ps3.append(next(self.pokers_iter))
        ps1.sort(reverse=True)
        ps2.sort(reverse=True)
        ps3.sort(reverse=True)
        return ps1, ps2, ps3, list(self.pokers_iter)


game1 = Game()
game1.shuffling()
p1, p2, p3, di = game1.deal1()
print(p1)
print(p2)
print(p3)
print('底牌:', di)

歌詞解釋器

# (嘗試)寫一個類,其功能是:1.解析指定的歌詞文件的內容 2.按時間顯示歌詞
# 提示:歌詞文件的內容一般是按下面的格式進行存儲的。
# 歌詞前面對應的是時間,在對應的時間點可以顯示對應的歌詞
class Lyric:
    def __init__(self, time, word):
        value = float(time[1:3])*60 + float(time[4:])
        self.time = value
        self.word = word

    def __repr__(self):
        return '<'+str(self.time) + ':' + self.word+'>'

    def __gt__(self, other):
        return self.time > other.time


class LyricAnalysis:

    def __init__(self, name):
        # 歌名
        self.name = name
        self.__all_lyrics = []

    def get_word(self, time):
        # =======解析歌詞文件======
        if not self.__all_lyrics:
            print('解析歌詞')
            with open('files/'+self.name) as f:
                while True:
                    line = f.readline()
                    if not line:
                        break
                    lines = line.split(']')
                    word = lines[-1]
                    for t in lines[:-1]:
                        lyric = Lyric(t, word)
                        self.__all_lyrics.append(lyric)

            # 排序
            self.__all_lyrics.sort(reverse=True)

        # ==========獲取歌詞==========
        for lyric in self.__all_lyrics:
            if lyric.time <= time:
                return lyric.word


ly = LyricAnalysis('藍蓮花')
print('===:',ly.get_word(123))
print('===:',ly.get_word(10))
print('===:',ly.get_word(89))

ly2 = LyricAnalysis('一首簡單的歌')
print('!!!:', ly2.get_word(30))
print('!!!:', ly2.get_word(90))
?著作權歸作者所有,轉載或內容合作請聯系作者
平臺聲明:文章內容(如有圖片或視頻亦包括在內)由作者上傳并發布,文章內容僅代表作者本人觀點,簡書系信息發布平臺,僅提供信息存儲服務。

推薦閱讀更多精彩內容