day-9作業

樑占強`發表於2020-10-12
  1. 利用列表推導式, 完成以下需求:

    a. 生成一個存放1-100中各位數為3的資料列表:

    結果為 [3, 13, 23, 33, 43, 53, 63, 73, 83, 93]
    
    list1 = [x for x in range(3, 100, 10)]
    print(list1)
    

b. 利用列表推到是將 列表中的整數提取出來:

例如:[True, 17, "hello", "bye", 98, 34, 21] --- [17, 98, 34, 21]

list2 = [True, 17, "hello", "bye", 98, 34, 21]
list3 = [x for x in list2 if type(x) == int]
print(list3)

c. 利用列表推導式 存放指定列表中字串的長度:

例如 ["good", "nice", "see you", "bye"] --- [4, 4, 7, 3]
 
list4 = ["good", "nice", "see you", "bye"]
list5 = [len(x) for x in list4]
print(list5)

d. dict_list = [{“科目”:“政治”, “成績”:98}, {“科目”:“語文”, “成績”:77}, {“科目”:“數學”, “成績”:99}, {“科目”:“歷史”, “成績”:65}]

去除列表中成績小於70的字典 【列表推導式完成】

結果為: [{“科目”:“政治”, “成績”:98}, {“科目”:“語文”, “成績”:77}, {“科目”:“數學”, “成績”:99}]
 
dict_list = [{'科目': '政治', '成績': 98}, {'科目': '語文', '成績': 77}, {'科目': '數學', '成績': 99}, {'科目': '歷史', '成績': 65}]
new_list = [x for x in dict_list if x.get('成績') >= 70]
print(new_list)    
  1. 編寫函式,求1+2+3+…N的和

    def sum1(num):
        """
    
        :param num: 提供一個數字  (引數說明)
        :return: None
        """
        s = 0
        for x in range(1, num+1):
            s += x
        print(f'{num}到1相加的和是{s}')
    
  2. 編寫一個函式,求多個數中的最大值

    def max1(*num):
        """
    
        :param *num: 提供多個數字   (引數說明)
        :return: None
        """
        print(max(*num))
    
    list6 = [10, 200, 90, 30, 500, 1000]
    max1(list6)
    
  3. 編寫一個函式,實現搖骰子的功能,列印N個骰子的點數和

    def dice_game(num1:int):
        sum1 = 0
        for _ in range(num1):
            num = randint(1, 6)
            print(num, end=',')
            sum1 += num
        print(f'點數和:', sum1)
    
    dice_game(2)
    
  4. 編寫一個函式,交換指定字典的key和value。

例如:dict1={'a':1, 'b':2, 'c':3}  -->  dict1={1:'a', 2:'b', 3:'c'} 
      
dict1 = {'a': 1, 'b': 2, 'c': 3}
def exchange_dict(**num):
  new_dict = {num.get(x): x for x in num}
  print(new_dict)
exchange_dict(a=1, b=2, c=3)       
  1. 編寫一個函式,提取指定字串中所有的字母,然後拼接在一起產生一個新的字串

    例如: 傳入'12a&bc12d-+'   -->  'abcd'  
        
    def extract(str1):
        """
    
        :param str1: 輸入指定的字串   (引數說明)
        :return: None
        """
        new_str = ''
        for x in str1:
                if 'A' <= x <= 'Z' or 'a' <= x <= 'z':
                    new_str += x
    
        print(new_str)
    
    extract('12a&bc12d-+')    
    
  2. 寫一個函式,求多個數的平均值

    def mean(*num):
        if len(num) == 0:
            print('0')
        else:
            print(sum(num)/len(num))
    
    mean(4, 6)
    
  3. 寫一個函式,預設求10的階乘,也可以求其他數字的階乘

    def factorial(num):
        s = 1
        for x in range(1, num+1):
            s *= x
        print(s)
    
    factorial(10)
    

=======注意:以下方法不能使用系統提供的方法和函式,全部自己寫邏輯

  1. 寫一個自己的capitalize函式,能夠將指定字串的首字母變成大寫字母

    例如: 'abc' -> 'Abc'   '12asd'  --> '12asd'
        
    def capitalize(str1:str):
        if str1:
            first_chr = str1[0]
            if 'a' <= str1[0] <= 'z':
                first_chr = chr(ord(str1[0]) - 32)
                new_str = first_chr + str1[1:]
                print(new_str)
            else:
                print(str1)
    capitalize('qwgdqg123')   # Qwgdqg123
    capitalize('2244')    # 2244
    
  2. 寫一個自己的endswith函式,判斷一個字串是否已指定的字串結束

    例如: 字串1:'abc231ab' 字串2:'ab' 函式結果為: True
         字串1:'abc231ab' 字串2:'ab1' 函式結果為: False
                    
    def endswith(str2: str, char1: str):
        new_str2 = list(str2.split(char1))
        if new_str2[-1] == '':
            print(f'函式結果為:{True}')
        else:
            print(f'函式結果為:{False}')
    
    endswith('123456xy', 'xy')   # 函式結果為:True               
    
  3. 寫一個自己的isdigit函式,判斷一個字串是否是純數字字串

例如: '1234921'  結果: True
      '23函式'   結果: False
      'a2390'    結果: False
         
def isdigit(str3: str):
 count = 0
 for s in str3:
     if '0' <= s <= '9':
         count += 1
 if count == len(str3):
     print(f'結果:{True}')
 else:
     print(f'結果:{False}')

isdigit('1234921')
isdigit('23函式')
isdigit('a2390')            
  1. 寫一個自己的upper函式,將一個字串中所有的小寫字母變成大寫字母

    例如: 'abH23好rp1'   結果: 'ABH23好RP1'  
    def upper_self(str):
        new_str = ''
        for i in str:
            if 'a' <= i <= 'z':
                up = chr(ord(i)-32)
                new_str += up
            else:
                new_str += i
        print(new_str)
    
    
    upper_self('abH23好rp1')        
    
  2. 寫一個自己的rjust函式,建立一個字串的長度是指定長度,原字串在新字串中右對齊,剩下的部分用指定的字元填充

例如: 原字元:'abc'  寬度: 7  字元:'^'    結果: '^^^^abc'
     原字元:'你好嗎'  寬度: 5  字元:'0'    結果: '00你好嗎'

def rjust(str1: str, width: int, fill_char: str):
 le = len(str1)
 
 # 處理指定寬度比原字串寬度小
 if width < le:
     width = le
     
 # 處理字元長度不是1的情況
 if len(fill_char) != 1:
     raise ValueError
 new_str = fill_char*(width-le) + str1
 print(new_str)
 
rjust('abc', 6, '=')   # ===abc  
  1. 寫一個自己的index函式,統計指定列表中指定元素的所有下標,如果列表中沒有指定元素返回-1

    例如: 列表: [1, 2, 45, 'abc', 1, '你好', 1, 0]  元素: 1   結果: 0,4,6  
         列表: ['趙雲', '郭嘉', '諸葛亮', '曹操', '趙雲', '孫權']  元素: '趙雲'   結果: 0,4
         列表: ['趙雲', '郭嘉', '諸葛亮', '曹操', '趙雲', '孫權']  元素: '關羽'   結果: -1 
    def index_self(list, char):
        flag = False
        for index in range(len(list)):
            if list[index] == char:
                print(index)
                flag = True
        if flag == False:
            print(-1)
    
    
    index_self([1, 2, 45, 'abc', 1, '你好', 1, 0], 1)
    index_self(['趙雲', '郭嘉', '諸葛亮', '曹操', '趙雲', '孫權'], '趙雲')
    index_self(['趙雲', '郭嘉', '諸葛亮', '曹操', '趙雲', '孫權'], '關羽')                
    
  2. 寫一個自己的len函式,統計指定序列中元素的個數

    例如: 序列:[1, 3, 5, 6]    結果: 4
         序列:(1, 34, 'a', 45, 'bbb')  結果: 5  
         序列:'hello w'    結果: 7
    def len_self(char):
        total = 0
        for i in char:
            total += 1
        print(total)
    
    len_self([1, 3, 5, 6])
    len_self((1, 34, 'a', 45, 'bbb'))
    len_self('hello w')            
    
  3. 寫一個自己的max函式,獲取指定序列中元素的最大值。如果序列是字典,取字典值的最大值

    例如: 序列:[-7, -12, -1, -9]    結果: -1   
         序列:'abcdpzasdz'    結果: 'z'  
         序列:{'小明':90, '張三': 76, '路飛':30, '小花': 98}   結果: 98
                
    
    def max1(seq):
        if type(seq) == dict:
            seq = seq.values()
        if type(seq) not in (list, tuple):
            seq = list(seq)
        temp = seq[0]
        for item in seq[1:]:
            if item > temp:
                temp = item
         print(f'最大值:{temp}')    
        
    max1([23, 45, 67, 2])   # 最大值:67
    max1({'a': 100, 'b': 34, 'c': 50})   # 最大值:100
    max1({23, 770, 98})  # 最大值:770
    
  4. 寫一個函式實現自己in操作,判斷指定序列中,指定的元素是否存在

    例如: 序列: (12, 90, 'abc')   元素: '90'     結果: False
         序列: [12, 90, 'abc']   元素: 90     結果: True  
    def in_self(list, char):
        flag = False
        for index in range(len(list)):
            if list[index] == char:
                flag = True
        if flag:
            print(True)
        else:
            print(False)
    
    
    in_self((12, 90, 'abc'), '90')
    in_self([12, 90, 'abc'], 90)                
    
  5. 寫一個自己的replace函式,將指定字串中指定的舊字串轉換成指定的新字串

    例如: 原字串: 'how are you? and you?'   舊字串: 'you'  新字串:'me'  結果: 'how are me? and me?'
                        
                    
    def replace(str1: str, old: str, new: str):
    s = str1.split(old)
        re = new.join(s)
        print(re)
    
    
    s1 = 'how are you? and you?'
    replace(s1, 'you', 'me')   # how are me? and me?