day9-作业

0.写一个匿名函数,判断指定的年是否是闰年

能被4整除但不能被100整除。或者能够被400整除

leap_year = lambda year:(year % 4 == 0 and year % 100 !=0) or year % 400 == 0

1.写一个函数将一个指定的列表中的元素逆序( 如[1, 2, 3] -> [3, 2, 1])(注意:不要使用列表自带的逆序函数)

def reverse(list1):
    list2 = []
    list2 = list1[::-1]
    return list2
def reverse(list1):
    list2 = []
    for index in range(len(list1)-1,-1,-1):
        list2.append(list1[index])
    return list2
reverse = lambda list1:list1[::-1]
# print(reverse([1,2,3,5,6,7]))#[7, 6, 5, 3, 2, 1]
# print(reverse('12ddf'))#fdd21
def reverse(list1: list):
    length = len(list1)
    for index in range(length//2):
        list1[index],list1[length-1-index] = list1[length-1-index],list1[index]
    return list1

2.写一个函数,提取出字符串中所有奇数位上的字符

def odd(str1: str):
    str2 = ''
    for index in range(len(str1)):
        if index & 1:
            str2 += str1[index]
    return str2

3.写一个函数,统计指定列表中指定元素的个数(不用列表自带的count方法)

def my_count(list1: list, element):
    sum = 0
    for item in list1:
        if item == element:
            sum += 1
    return sum

4.写一个函数,获取指定列表中指定元素的下标(如果指定元素有多个,将每个元素的下标都返回)
例如: 列表是:[1, 3, 4, 1] ,元素是1, 返回:0,3

def acquire(list1: list,element):
    n = []
    for index in range(len(list1)):
        if list1[index] == element:
            n.append(index)
    return n

5.写一个函数,能够将一个字典中的键值对添加到另外一个字典中(不使用字典自带的update方法)

def add(dict1: dict,dict2: dict):
    for item in dict1:
        key = item
        dict2[key] = dict1[key]
    return  dict2

6.写一个函数,能够将指定字符串中的所有的小写字母转换成大写字母;所有的大写字母转换成小写字母(不能使用字符串相关方法)

def exchange(str1: str):
    str2 = ''
    for item in str1:
        if 'a' <= item <= 'z':
            item = chr(ord(item)-32)
            str2 += item
            continue
        elif 'A' <= item <= 'Z':
            item = chr(ord(item)+32)
            str2 += item
            continue
        else:
            str2 += item
    return str2

7.写一个函数,能够将指定字符串中的指定子串替换成指定的其他子串(不能使用字符串的replace方法)
例如: func1('abcdaxyz', 'a', '\\') - 返回: '\\bcd\\xyz'

def my_replace(str1: str,char1,char2):
    str2 = ''
    for item in str1:
        if item == char1:
            str2 += char2
        else:
            str2 += item
    return str2

8.实现一个输入自己的items方法,可以将自定的字典转换成列表。列表中的元素是小的列表,里面是key和value (不能使用字典的items方法)
例如:{'a':1, 'b':2} 转换成 [['a', 1], ['b', 2]

def my_items(dict1: dict):
    list1 = []
    list2 = []
    for item in dict1:
        list1 = list(item)
        list1.append(dict1[item])
        list2.append(list1)
    return  list2

你可能感兴趣的:(day9-作业)