首頁  >  文章  >  後端開發  >  python基礎詳解

python基礎詳解

巴扎黑
巴扎黑原創
2017-06-23 15:45:031919瀏覽

目錄

  1. Python資料類型

  2. #python的運算子

  3. Python的迴圈與判斷語句

  4. python練習

Python作業

一.  Python的資料型別

  1. 整數(int)
acc80a873886d8118be81a328be9ec64.  賦值 

 num1 = 123   # 变量名 = 数字 num2 = 456 num3 = int(123  (num2)
6 print(num3)

2cc198a1d5eb0d3eb508d858c9f5cbdb. int類別的額外功能
def bit_length(self): # real signature unknown; restored from __doc__
#--------------这个功能主要是计算出int类型对应的二进制位的位数---------------------------------------
        """
        int.bit_length() -> int
        
        Number of bits necessary to represent self in binary.
        >>> bin(37)
        '0b100101'
        >>> (37).bit_length()
        6
        """
        return 0

#  範例:

num = 128 # 128的二进制10000000,它占了一个字节,八位print(num.bit_length())

显示:8
5bdf4c78156c7953567bb5a0aef2fc53. int的賦值
  每一個賦值int類別都要重新開闢一段位址空間用來存儲,而不會改變原來位址空間的值。
num1 = 123num2 = num1
num1 = 456print(num1)print(num2)
显示:456 
123
  原理:

第一步賦值:開啟了一個空間存入123 ,變數為num1。

第二步賦值:先指向num1,再透過位址指向了123。
第三部賦值:重新開啟一個位址空間用來存入456,num2的指向不變。

  2. 布林型(bool)

f35d6e602fd7d0f0edfa6f7d103c1b57. 真True

2cc198a1d5eb0d3eb508d858c9f5cbdb. 假Flase

  3. 字元型(char)

f35d6e602fd7d0f0edfa6f7d103c1b57. 索引

  對於字元而言索引指的是透過下標找出其對應的字元。準確來說字元其實就是單一字元的集合。每個單一字元對應一個索引值,第一個字元對應的是0。
str = 'hello huwentao.'print(str[1])  # 因为下标是从零开始的,因此答案是e显示:
e
2cc198a1d5eb0d3eb508d858c9f5cbdb. 切片  切片其實就是選取字元中的某一段。

# str[1:-1:2]  第一个数代表起始位置,第二个数代表结束位置(-1代表最后),第三个数代表步长(每隔2个字符选择一个)str = 'hellohuwentao.'print(str[1])print(str[1:])print(str[1:-1:2])
显示结果:
e
ellohuwentao.
elhwna

5bdf4c78156c7953567bb5a0aef2fc53. 長度

#长度用的是len这个函数,这个长度可能和c有点不太一样,是不带换行符的。所一结果就是14str = 'hellohuwentao.'print(len(str))
显示:14
23889872c2e8594e0f446a471a78ec4c. 循環

  上面講過,字串其實就是一連串的字元的集合,因此它可以成為可迭代的,可迭代的都可以用for循環

# print里面的end指的是每输出一行,在最后一个字符后面加上引号内的内容,此处为空格,默认为换行符str = 'hellohuwentao.'for i in str:print(i, end='  ')
显示:
h  e  l  l  o  h  u  w  e  n  t  a  o  .

43ad812d3a971134e40facaca816c822.額外的功能

因為char的功能太多,所以裡面有的部分功能沒有講

 def capitalize(self): # real signature unknown; restored from __doc__
 #------------------首字母大写------------------------------=-------------------------------------"""S.capitalize() -> str
        
        Return a capitalized version of S, i.e. make the first character
        have upper case and the rest lower case."""return ""def center(self, width, fillchar=None): # real signature unknown; restored from __doc__#-----------------居中,width代表的是宽度,fillchar是代表填充的字符''.center(50,'*')--------------------"""S.center(width[, fillchar]) -> str
        
        Return S centered in a string of length width. Padding is
        done using the specified fill character (default is a space)"""return ""def count(self, sub, start=None, end=None): # real signature unknown; restored from __doc__#-----------------和列表的count一样,计算出和sub一样的字符的个数,start,end带表起始和结束的位置--------------"""S.count(sub[, start[, end]]) -> int
        
        Return the number of non-overlapping occurrences of substring sub in
        string S[start:end].  Optional arguments start and end are
        interpreted as in slice notation."""return 0def encode(self, encoding='utf-8', errors='strict'): # real signature unknown; restored from __doc__#---------------代表指定的编码,默认为‘utf-8’,如果错了会强制指出错误-------------------------------------"""S.encode(encoding='utf-8', errors='strict') -> bytes
        
        Encode S using the codec registered for encoding. Default encoding
        is 'utf-8'. errors may be given to set a different error
        handling scheme. Default is 'strict' meaning that encoding errors raise
        a UnicodeEncodeError. Other possible values are 'ignore', 'replace' and
        'xmlcharrefreplace' as well as any other name registered with
        codecs.register_error that can handle UnicodeEncodeErrors."""return b""def endswith(self, suffix, start=None, end=None): # real signature unknown; restored from __doc__#------------------判断endswith是不是以suffix这个参数结尾--------------------------------------------"""S.endswith(suffix[, start[, end]]) -> bool
        
        Return True if S ends with the specified suffix, False otherwise.
        With optional start, test S beginning at that position.
        With optional end, stop comparing S at that position.
        suffix can also be a tuple of strings to try."""return Falsedef expandtabs(self, tabsize=8): # real signature unknown; restored from __doc__#-----------可以理解为扩展tab键,后面的tabsize=8代表默认把tab键改成8个空格,可以修改值-----------------------"""S.expandtabs(tabsize=8) -> str
        
        Return a copy of S where all tab characters are expanded using spaces.
        If tabsize is not given, a tab size of 8 characters is assumed."""return ""def find(self, sub, start=None, end=None): # real signature unknown; restored from __doc__#------------从左往右查找和sub相同的字符,并把所在的位置返回,如果没有查到返回-1------------------------------"""S.find(sub[, start[, end]]) -> int
        
        Return the lowest index in S where substring sub is found,
        such that sub is contained within S[start:end].  Optional
        arguments start and end are interpreted as in slice notation.
        
        Return -1 on failure."""return 0def format(self, *args, **kwargs): # known special case of str.format#-----------------指的是格式,也就是在字符中有{}的,都会一一替换str = 'huwegwne g{name},{age}'print(str.format(name = '111',age = '22'))
结果:huwegwne g111, 22
------------------------------------------"""S.format(*args, **kwargs) -> str
        
        Return a formatted version of S, using substitutions from args and kwargs.
        The substitutions are identified by braces ('{' and '}')."""passdef index(self, sub, start=None, end=None): # real signature unknown; restored from __doc__#-------------和find一样,只是如果没有查找到会报错-----------------------------------------------------"""S.index(sub[, start[, end]]) -> int
        
        Like S.find() but raise ValueError when the substring is not found."""return 0   return Falsedef join(self, iterable): # real signature unknown; restored from __doc__#------------------通过字符来连接一个可迭代类型的数据li = ['alec','arix','Alex','Tony','rain']print('*'.join(li))
结果:alec*arix*Alex*Tony*rain---------------------------------"""S.join(iterable) -> str
        
        Return a string which is the concatenation of the strings in the
        iterable.  The separator between elements is S."""return ""def ljust(self, width, fillchar=None): # real signature unknown; restored from __doc__#----------------和center类型,只不过它是向左对齐,而不是居中--------------------------------------------"""S.ljust(width[, fillchar]) -> str
        
        Return S left-justified in a Unicode string of length width. Padding is
        done using the specified fill character (default is a space)."""return ""def lower(self): # real signature unknown; restored from __doc__#--------------------全部转换成小写----------------------------------------------------------------"""S.lower() -> str
        
        Return a copy of the string S converted to lowercase."""return ""def lstrip(self, chars=None): # real signature unknown; restored from __doc__#-------------------和strip类似,用来删除指定的首尾字符,默认为空格-------------------------------------- 
 """S.lstrip([chars]) -> str
        
        Return a copy of the string S with leading whitespace removed.
        If chars is given and not None, remove characters in chars instead."""return ""def partition(self, sep): # real signature unknown; restored from __doc__#-----------------------------partition() 方法用来根据指定的分隔符将字符串进行分割。"""S.partition(sep) -> (head, sep, tail)
        
        Search for the separator sep in S, and return the part before it,
        the separator itself, and the part after it.  If the separator is not
        found, return S and two empty strings."""passdef replace(self, old, new, count=None): # real signature unknown; restored from __doc__#-------------------替换,用新的字符串去替换旧的字符串-------------------------------------------------"""S.replace(old, new[, count]) -> str
        
        Return a copy of S with all occurrences of substring
        old replaced by new.  If the optional argument count is
        given, only the first count occurrences are replaced."""return ""def rfind(self, sub, start=None, end=None): # real signature unknown; restored from __doc__#-----------和find类似,只不过是从右向左查找----------------------------------------------------------"""S.rfind(sub[, start[, end]]) -> int
        
        Return the highest index in S where substring sub is found,
        such that sub is contained within S[start:end].  Optional
        arguments start and end are interpreted as in slice notation.
        
        Return -1 on failure."""return 0def rindex(self, sub, start=None, end=None): # real signature unknown; restored from __doc__#-----------和index类似,只不过是从右向左查找----------------------------------------------------------"""S.rindex(sub[, start[, end]]) -> int
        
        Like S.rfind() but raise ValueError when the substring is not found."""return 0def rjust(self, width, fillchar=None): # real signature unknown; restored from __doc__#----------------和center类型,只不过它是向右对齐,而不是居中--------------------------------------------
  """S.rjust(width[, fillchar]) -> str
        
        Return S right-justified in a string of length width. Padding is
        done using the specified fill character (default is a space)."""return ""def rpartition(self, sep): # real signature unknown; restored from __doc__"""S.rpartition(sep) -> (head, sep, tail)
        
        Search for the separator sep in S, starting at the end of S, and return
        the part before it, the separator itself, and the part after it.  If the
        separator is not found, return two empty strings and S."""passdef rsplit(self, sep=None, maxsplit=-1): # real signature unknown; restored from __doc__#----------------------------和split相似,只不过是从右向左分离--------------------------------------- 
 """S.rsplit(sep=None, maxsplit=-1) -> list of strings
        
        Return a list of the words in S, using sep as the
        delimiter string, starting at the end of the string and
        working to the front.  If maxsplit is given, at most maxsplit
        splits are done. If sep is not specified, any whitespace string
        is a separator."""return []def rstrip(self, chars=None): # real signature unknown; restored from __doc__#--------------方法用于移除字符串尾部指定的字符(默认为空格)。---------------------------------------------"""S.rstrip([chars]) -> str
        
        Return a copy of the string S with trailing whitespace removed.
        If chars is given and not None, remove characters in chars instead."""return ""def split(self, sep=None, maxsplit=-1): # real signature unknown; restored from __doc__#--------------------------------方法用于把一个字符串分割成字符串数组默认是以空格隔离----------------------"""S.split(sep=None, maxsplit=-1) -> list of strings
        
        Return a list of the words in S, using sep as the
        delimiter string.  If maxsplit is given, at most maxsplit
        splits are done. If sep is not specified or is None, any
        whitespace string is a separator and empty strings are
        removed from the result."""return []def splitlines(self, keepends=None): # real signature unknown; restored from __doc__"""S.splitlines([keepends]) -> list of strings
        
        Return a list of the lines in S, breaking at line boundaries.
        Line breaks are not included in the resulting list unless keepends
        is given and true."""return []def startswith(self, prefix, start=None, end=None): # real signature unknown; restored from __doc__#---------------------------判断是不是以prefix字符开头----------------------------------------------"""S.startswith(prefix[, start[, end]]) -> bool
        
        Return True if S starts with the specified prefix, False otherwise.
        With optional start, test S beginning at that position.
        With optional end, stop comparing S at that position.
        prefix can also be a tuple of strings to try."""return Falsedef strip(self, chars=None): # real signature unknown; restored from __doc__#-----------用于移除字符串头尾指定的字符(默认为空格)。------------------------------------------"""S.strip([chars]) -> str
        
        Return a copy of the string S with leading and trailing
        whitespace removed.
        If chars is given and not None, remove characters in chars instead."""return ""def swapcase(self): # real signature unknown; restored from __doc__#-------------------------------------- 方法用于对字符串的大小写字母进行转换。------------------------- 
 """S.swapcase() -> str
        
        Return a copy of S with uppercase characters converted to lowercase
        and vice versa."""return ""def title(self): # real signature unknown; restored from __doc__#-----------------------------把每一个单词的首字母都变成大写------------------------------------------"""S.title() -> str
        
        Return a titlecased version of S, i.e. words start with title case
        characters, all remaining cased characters have lower case."""return ""def translate(self, table): # real signature unknown; restored from __doc__"""S.translate(table) -> str
        
        Return a copy of the string S in which each character has been mapped
        through the given translation table. The table must implement
        lookup/indexing via __getitem__, for instance a dictionary or list,
        mapping Unicode ordinals to Unicode ordinals, strings, or None. If
        this operation raises LookupError, the character is left untouched.
        Characters mapped to None are deleted."""return ""def upper(self): # real signature unknown; restored from __doc__#-------------------------------把全部的字母变成大写------------------------------------------------"""S.upper() -> str
        
        Return a copy of S converted to uppercase."""return ""

View Code

  4 .列表(列表)

f35d6e602fd7d0f0edfa6f7d103c1b57. 索引

# 和字符串一样,列表下标默认也是从0开始list = ['huwentao','xiaozhou','tengjiang','mayan']print(list[1])
显示
xiaozhou

2cc198a1d5eb0d3eb508d858c9f5cbdb. 切片
# 和字符换也是一样的,也是起始位置,结束位置,和步长list = ['huwentao','xiaozhou','tengjiang','mayan']print(list[2])print(list[1:3:1])
显示:
tengjiang
['xiaozhou', 'tengjiang']
< ;3>. 長度
# 和字符串一样,长度代表着元祖里面元素的个数list = ['huwentao','xiaozhou','tengjiang','mayan']print(len(list))
显示;4

23889872c2e8594e0f446a471a78ec4c. 循環

# 和字符串相同,此处就不在进行说明list = ['huwentao','xiaozhou','tengjiang','mayan']for i in list:print(i,end='  ')
显示:
huwentao  xiaozhou  tengjiang  mayan

43ad812d3a971134e40facaca816c822.額外的功能

# 里面的参数self是代表自身,如果只有self,在调用的时候不用传递参数,如果是等于,就代表有默认的传递值,可不用传递参数def append(self, p_object): # real signature unknown; restored from __doc__#--------------在列表后面添加数据--------------------------------------""" L.append(object) -> None -- append object to end """passdef clear(self): # real signature unknown; restored from __doc__#--------------清空列表---------------------------------------------- """ L.clear() -> None -- remove all items from L """passdef copy(self): # real signature unknown; restored from __doc__#--------------------复制列表并赋值给a = li.copy()----------------------""" L.copy() -> list -- a shallow copy of L """return []def count(self, value): # real signature unknown; restored from __doc__# ---------------计算列表中和value相同的字符串的个数---------------------""" L.count(value) -> integer -- return number of occurrences of value """return 0def extend(self, iterable): # real signature unknown; restored from __doc__# -----------------把一个可迭代类型的数据整天添加到列表中-----------------""" L.extend(iterable) -> None -- extend list by appending elements from the iterable """passdef index(self, value, start=None, stop=None): # real signature unknown; restored from __doc__#------------------找到和value相同的数据所在列表中的位置,后面的两个参数代表开始位置和结束位置--------"""L.index(value, [start, [stop]]) -> integer -- return first index of value.
        Raises ValueError if the value is not present."""return 0def insert(self, index, p_object): # real signature unknown; restored from __doc__#--------------------在index这个位置插入p_object值---------------------------------""" L.insert(index, object) -- insert object before index """passdef pop(self, index=None): # real signature unknown; restored from __doc__# ------------------删除index这个位置的数据,返回给一个变量------------------------"""L.pop([index]) -> item -- remove and return item at index (default last).
        Raises IndexError if list is empty or index is out of range."""passdef remove(self, value): # real signature unknown; restored from __doc__#--------------------删除value的数据,不会返回给某个变量---------------------------"""L.remove(value) -> None -- remove first occurrence of value.
        Raises ValueError if the value is not present."""passdef reverse(self): # real signature unknown; restored from __doc__#-------------------------翻转,就是把最后一个元素放在第一个,依次类推--------------""" L.reverse() -- reverse *IN PLACE* """passdef sort(self, key=None, reverse=False): # real signature unknown; restored from __doc__#-------------------------排序--------------------------------------------------""" L.sort(key=None, reverse=False) -> None -- stable sort *IN PLACE* """pass
View Code########## ######  5. 元組(tuple)######元組和清單非常相近,只不過不可以進行修改,只能夠進行檢視。下面不在進行詳細描述,只是簡單的將一下怎麼創建,創建的時候要用小括號。 ######
tuple = ('huwentao','xiaozhou','tengjiang','mayan')for i in tuple:print(i, end='  ')
显示:
huwentao  xiaozhou  tengjiang  mayan
######  6. 字典(dict)######f35d6e602fd7d0f0edfa6f7d103c1b57.索引######
# 字典的索引和其他的不太一样,他的主要是通过键值对进行索引的,里面的不是下标,而是他的键dic = {'k1':'alex','k2':'aric','k3':'Alex','k4':'Tony'}print(dic['k1'])
####### ####### 2cc198a1d5eb0d3eb508d858c9f5cbdb. 切片######字典沒有切片,因為對於字典而言,他是無序儲存的,和其他的類型不太一樣。 ######5bdf4c78156c7953567bb5a0aef2fc53. 長度###
print(len(dic))可以输出字典的长度,代表的是字典的键值对长度。
###23889872c2e8594e0f446a471a78ec4c. 循環######
# 字典的循环也比较有意思,他循环输出的不是键值对,而是字典的键dic = {'k1':'alex','k2':'aric','k3':'Alex','k4':'Tony'}for i in dic:print(i)
###### #######43ad812d3a971134e40facaca816c822.額外的功能###############
def clear(self): # real signature unknown; restored from __doc__#------------------清空字典--------------------------------------""" D.clear() -> None.  Remove all items from D. """passdef copy(self): # real signature unknown; restored from __doc__#----------------------复制字典给一个变量-----------------------------""" D.copy() -> a shallow copy of D """pass@staticmethod # known casedef fromkeys(*args, **kwargs): # real signature unknown""" Returns a new dict with keys from iterable and values equal to value. """passdef get(self, k, d=None): # real signature unknown; restored from __doc__#---------------------得到某个键对应的值------------------------------------""" D.get(k[,d]) -> D[k] if k in D, else d.  d defaults to None. """passdef items(self): # real signature unknown; restored from __doc__#--------------------------得到字典的键值对------------------------------------------""" D.items() -> a set-like object providing a view on D's items """passdef keys(self): # real signature unknown; restored from __doc__#--------------------------得到字典的键-----------------------------------------""" D.keys() -> a set-like object providing a view on D's keys """passdef pop(self, k, d=None): # real signature unknown; restored from __doc__#---------------------删除某个键值对-----------------------------------------"""D.pop(k[,d]) -> v, remove specified key and return the corresponding value.
        If key is not found, d is returned if given, otherwise KeyError is raised"""passdef popitem(self): # real signature unknown; restored from __doc__#----------------随机删除一个键值对-------------------------------------------"""D.popitem() -> (k, v), remove and return some (key, value) pair as a
        2-tuple; but raise KeyError if D is empty."""passdef setdefault(self, k, d=None): # real signature unknown; restored from __doc__#------------------和get方法类似, 如果键不存在于字典中,将会添加键并将值设为默认值--------------""" D.setdefault(k[,d]) -> D.get(k,d), also set D[k]=d if k not in D """passdef update(self, E=None, **F): # known special case of dict.update#----------------------- 把一个字典添加到另外一个字典中--------------------------------------"""D.update([E, ]**F) -> None.  Update D from dict/iterable E and F.
        If E is present and has a .keys() method, then does:  for k in E: D[k] = E[k]
        If E is present and lacks a .keys() method, then does:  for k, v in E: D[k] = v
        In either case, this is followed by: for k in F:  D[k] = F[k]"""passdef values(self): # real signature unknown; restored from __doc__#-----------------------------得到字典的值-----------------------------------------------""" D.values() -> an object providing a view on D's values """pass
######View Code######### ######二.  Python的運算子### ###  1. 運算子######
#   运算符主要有+   -    *  /   **   %   //#   **  是幂运算#   %  取模#   //   是整除,不留小数a = 8b = 16print('a + b=',a + b)print('a - b=',a - b)print('a * b=',a * b)print('a / b=',a / b)print('a // b=',a // b)print('a % b=',a % b)print('a ** 2=',a ** 2)

显示结果:
a + b= 24a - b= -8a * b= 128a / b= 0.5a // b= 0
a % b= 8
######  2. 比較運算子######
#   比较运算符有: >   a7e5c00444d029660efeca0762390afd=  97d214dbe4f6a7a1fe1cc69289e5c688 b ?', a > b)print('a 5eaef337f046810dd112d4c389ca619d= b ?', a >= b)print('a d3a69c5bf4ef23a7b6c6dca960945d9a b ? False
a 9f1fa9b50caa7fac67dfa8fe6fe4734f= b ? False
a db528ce3ad4ca6f5d80e76e735baa466 c and a > b',  a > c and a > b)print('a > c and a c200b2062f131e9eda22b05267d19401 c or a 4a0717c1884651d9412329a1f5a66576c ', not a>c)


显示:
c3693c9e5ee61c39a66e5c5d0fd3df8a6 c and a > b False
a > c and a 41adfde2839c291bf632994878da5d45 b:print('a>b')else:print('a<b')print('you are right.')


显示:
a<b
you are right.

 

四.  Python的练习题

  1. 使用while循环输入1 2 3 4 5 6 8 9 

num = 1
while num < 10:
    if num == 7:
        num += 1
        continue
    print(num, end = &#39; &#39;)
    num += 1

  2. 求1-100内的所有奇数之和

# -*- coding:GBK -*-
# zhou
# 2017/6/13

num = 1
sum = 0
while num < 100:
    if num % 2 == 1:
        sum += num
    num += 1
print(&#39;所有奇数之和为: &#39;,sum)

  

  3. 输出1-100内的所有奇数

# -*- coding:GBK -*-
# zhou
# 2017/6/13

num = 1
sum = 0
while num <= 100:
    if num % 2 == 1:
        print(num,end = &#39;  &#39;)
    num += 1

  4. 输出1-100内的所有偶数

# -*- coding:GBK -*-
# zhou
# 2017/6/13

num = 1
sum = 0
while num <= 100:
    if num % 2 == 0:
        sum += num
    num += 1
print(&#39;所有偶数之和为: &#39;,sum)

  5. 求1-2+3-4+5........99的所有数之和

# -*- coding:GBK -*-
# zhou
# 2017/6/13

num = 1
sum = 0
while num < 100:
    if num % 2 == 1:
        sum -= num
    else:
        sum += num
    num += 1
print(sum)

  6. 用户登录程序(三次机会)

# -*- coding:GBK -*-
# zhou
# 2017/6/13
name = &#39;hu&#39;
password = &#39;hu&#39;
num = 1
while num <= 3:
    user_name = input(&#39;Name: &#39;)
    user_password = input(&#39;Password: &#39;)
    if user_name == name and user_password == password:
        print(&#39;you are ok. &#39;)
        break
    num += 1
else:
    print(&#39;you are only three chance, now quit.&#39;)

五.  Python的作业题

  1. 有如下值集合{11,22,33,44,55,66,77,88,99.......},将所有大于66的值保存至字典的第一个key中,将小于66 的值保存至第二个key的值中,即:{‘k1’:大于66的所有值,‘k2’:小于66的所有值}

 

# -*- coding:GBK -*-
# zhou
# 2017/6/13

dict = {&#39;k1&#39;:[],&#39;k2&#39;:[]}
list = [11,22,33,44,55,66,77,88,99,100]
for i in list:
    if i <= 66:
        dict[&#39;k1&#39;].append(i)
    else:
        dict[&#39;k2&#39;].append(i)
print(dict)

  

  2. 查找列表中的元素,移动空格,并查找以a或者A开头 并且以c结尾的所有元素

    li = ['alec','Aric','Alex','Tony','rain']

    tu = ('alec','Aric','Alex','Tony','rain')

    dic = {'k1':'alex', 'k2':'Aric', 'k3':'Alex', 'k4':'Tony'}

# -*- coding:GBK -*-
# zhou
# 2017/6/13
li = [&#39;alec&#39;,&#39;arix&#39;,&#39;Alex&#39;,&#39;Tony&#39;,&#39;rain&#39;]
tu = (&#39;alec&#39;,&#39;aric&#39;,&#39;Alex&#39;,&#39;Tony&#39;,&#39;rain&#39;)
dic = {&#39;k1&#39;:&#39;alex&#39;, &#39;k2&#39;:&#39;aric&#39;, &#39;k3&#39;:&#39;Alex&#39;, &#39;k4&#39;:&#39;Tony&#39;}
print(&#39;对于列表li:&#39;)
for i in li:
    if i.endswith(&#39;c&#39;) and (i.startswith(&#39;a&#39;) or i.startswith(&#39;A&#39;)):
        print(i)
print(&#39;对于元组tu:&#39;)
for i in tu:
    if i.endswith(&#39;c&#39;) and (i.startswith(&#39;a&#39;) or i.startswith(&#39;A&#39;)) :
        print(i)
print(&#39;对于字典dic:&#39;)
for i in dic:
    if dic[i].endswith(&#39;c&#39;) and (dic[i].startswith(&#39;a&#39;) or dic[i].startswith(&#39;A&#39;)):
        print(dic[i])

  

  3. 输出商品列表,用户输入序号,显示用户选中的商品

    商品 li = ['手机','电脑','鼠标垫', '游艇']

# -*- coding:GBK -*-
# zhou
# 2017/6/13
li = [&#39;手机&#39;,&#39;电脑&#39;,&#39;鼠标垫&#39;, &#39;游艇&#39;]
# 打印商品信息
print(&#39;shop&#39;.center(50,&#39;*&#39;))
for shop in enumerate(li, 1):
    print(shop)
print(&#39;end&#39;.center(50,&#39;*&#39;))
# 进入循环输出信息
while True:
    user = input(&#39;>>>[退出:q] &#39;)
    if user == &#39;q&#39;:
        print(&#39;quit....&#39;)
        break
    else:
        user = int(user)
        if user > 0 and user <= len(li):
            print(li[user - 1])
        else:
            print(&#39;invalid iniput.Please input again...&#39;)

  4. 购物车

  • 要求用户输入自己的资产

  • 显示商品的列表,让用户根据序号选择商品,加入购物车

  • 购买,如果商品总额大于总资产,提示账户余额不足,否则,购买成功

  • 附加:可充值,某商品移除购物车    

# -*- coding:GBK -*-
# zhou
# 2017/6/13
name = &#39;hu&#39;
password = &#39;hu&#39;
num = 1
while num <= 3:
    user_name = input(&#39;Name: &#39;)
    user_password = input(&#39;Password: &#39;)
    if user_name == name and user_password == password:
        print(&#39;you are ok. &#39;)
        flag = True
        break
    num += 1
else:
    print(&#39;you are only three chance, now quit.&#39;)

shop = {
    &#39;手机&#39;: 1000,
    &#39;电脑&#39;: 8000,
    &#39;笔记本&#39;: 50,
    &#39;自行车&#39;: 300,
}
shop_car = []
list = []
if flag:
    salary = input(&#39;Salary: &#39;)
    if salary.isdigit():
        salary = int(salary)
        while True:
            print(&#39;shop&#39;.center(50, &#39;*&#39;))
            for i in enumerate(shop, 1):
                print(i)
                list.append(i)
            print(&#39;end&#39;.center(50, &#39;*&#39;))
            user_input_shop = input(&#39;input shop num:[quit: q]>>:&#39;)
            if user_input_shop.isdigit():
                user_input_shop = int(user_input_shop)
                if user_input_shop > 0 and user_input_shop <= len(shop):
                    if salary >= shop[list[user_input_shop - 1][1]]:
                        print(list[user_input_shop - 1])
                        salary -= shop[list[user_input_shop - 1][1]]
                        shop_car.append(list[user_input_shop - 1][1])
                    else:
                        print(&#39;余额不足.&#39;)
                else:
                    print(&#39;invalid input.Input again.&#39;)
            elif user_input_shop == &#39;q&#39;:
                print(&#39;您购买了一下商品:&#39;)
                print(shop_car)
                print(&#39;您的余额为:&#39;, salary)
                break
            else:
                print(&#39;invalid input.Input again.&#39;)
    else:
        print(&#39;invalid.&#39;)

  

第二个简单版本

# -*- coding:GBK -*-
# zhou
# 2017/6/13

&#39;&#39;&#39;
1. 输入总资产
2. 显示商品
3. 输入你要购买的商品
4. 加入购物车
5. 结算
&#39;&#39;&#39;

i1 = input(&#39;请输入总资产:&#39;)
salary = int(i1)
car_good = []
goods = [
    {&#39;name&#39;:&#39;电脑&#39;,&#39;price&#39;:1999},
    {&#39;name&#39;:&#39;鼠标&#39;,&#39;price&#39;:10},
    {&#39;name&#39;:&#39;游艇&#39;,&#39;price&#39;:20},
    {&#39;name&#39;:&#39;手机&#39;,&#39;price&#39;:998}
]
for i in goods:
    print(i[&#39;name&#39;], i[&#39;price&#39;])
while True:
    i2 = input(&#39;请输入你想要的商品: &#39;)
    if i2.lower() == &#39;y&#39;:
        break
    else:
        for i in goods:
            if i2 == i[&#39;name&#39;]:
                car_good.append(i)
                print(i)
#结算
price = 0
print(car_good)
for i in car_good:
    price += i[&#39;price&#39;]
if price > salary:
    print(&#39;您买不起.....&#39;)
else:
    print(&#39;您购买了一下商品:&#39;)
    for i in car_good:
        print(i[&#39;name&#39;],i[&#39;price&#39;])
    print(&#39;您的余额为:&#39;, salary-price)

  

   5. 三级联动

# -*- coding:GBK -*-
# zhou
# 2017/6/13
dict = {
    &#39;河南&#39;:{
        &#39;洛阳&#39;:&#39;龙门&#39;,
        &#39;郑州&#39;:&#39;高铁&#39;,
        &#39;驻马店&#39;:&#39;美丽&#39;,
    },
    &#39;江西&#39;:{
        &#39;南昌&#39;:&#39;八一起义&#39;,
        &#39;婺源&#39;:&#39;最美乡村&#39;,
        &#39;九江&#39;:&#39;庐山&#39;
    }
}
sheng = []
shi = []
xian = []
for i in dict:
    sheng.append(i)
print(sheng)

flag = True
while flag:
    for i in enumerate(dict,1):
        print(i)
        sheng.append(i)
    user_input = input(&#39;input your num: &#39;)
    if user_input.isdigit():
        user_input = int(user_input)
        if user_input > 0 and user_input <= len(dict):
            for i in enumerate(dict[sheng[user_input - 1]], 1):
                print(i)
                shi.append(i)
            user_input_2 = input(&#39;input your num: &#39;)
            if user_input_2.isdigit():
                user_input_2 = int(user_input_2)
                if user_input_2 > 0 and user_input_2 <= len(shi):
                    for i in dict[sheng[user_input - 1]][shi[user_input_2 - 1][1]]:
                        print(i, end = &#39;&#39;)
                print()
            else:
                print(&#39;invalid input&#39;)
        else:
            print(&#39;invalid input.&#39;)
    else:
        print(&#39;invalid input. Input again.&#39;)

  

 

以上是python基礎詳解的詳細內容。更多資訊請關注PHP中文網其他相關文章!

陳述:
本文內容由網友自願投稿,版權歸原作者所有。本站不承擔相應的法律責任。如發現涉嫌抄襲或侵權的內容,請聯絡admin@php.cn