ホームページ  >  記事  >  バックエンド開発  >  Pythonの基礎を詳しく解説

Pythonの基礎を詳しく解説

巴扎黑
巴扎黑オリジナル
2017-06-23 15:45:031997ブラウズ

目次

  1. Pythonのデータ型

  2. Pythonの演算子

  3. Pythonのループと判定文

  4. Pythonの演習

  5. Pythonの宿題

1. Pythonのデータ型

1. 整数型(int)

f35d6e602fd7d0f0edfa6f7d103c1b57. intクラスの追加関数

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

れーれー

. int の代入

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

原則:

代入の最初のステップ: 123 を格納するスペースを開き、変数は num1 です。

代入の 2 番目のステップ: 最初に num1 を指し、次にアドレスを通じて 123 を指します。

代入の 3 番目の部分: 456 を格納するアドレス空間を再度開きます。num2 のポイントは変更されません。 For 文字の場合、インデックス付けとは、下付き文字を使用して対応する文字を検索することを指します。正確に言うと、キャラクターは実際には個々のキャラクターの集合体です。各単一文字はインデックス値に対応し、最初の文字は 0 に対応します。

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

显示:8

2cc198a1d5eb0d3eb508d858c9f5cbdb。スライス

スライスとは、実際には文字の特定のセグメントを選択することです。

num1 = 123num2 = num1
num1 = 456print(num1)print(num2)
显示:456 
123
.長さ

str = 'hello huwentao.'print(str[1])  # 因为下标是从零开始的,因此答案是e显示:
e

.ループ

前述したように、文字列は実際には反復可能になる可能性があり、反復可能なものはすべて反復可能になります。 for ループを使用できます

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

43ad812d3a971134e40facaca816c822。 追加の関数

char には関数が多すぎるため、一部の関数については説明しません

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

4. リスト (リスト)
。インデックス

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

。長さ
 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 ""

えー

< ;5>. 追加機能
# 和字符串一样,列表下标默认也是从0开始list = ['huwentao','xiaozhou','tengjiang','mayan']print(list[1])
显示
xiaozhou
コードの表示

5. タプル(tuple)

タプルは、変更できず表示のみが可能なことを除けば、リストと非常によく似ています。以下は詳細な説明ではなく、作成するときに括弧を使用して作成方法を簡単に説明します。

# 和字符换也是一样的,也是起始位置,结束位置,和步长list = ['huwentao','xiaozhou','tengjiang','mayan']print(list[2])print(list[1:3:1])
显示:
tengjiang
['xiaozhou', 'tengjiang']

6. 辞書 (dict)

f35d6e602fd7d0f0edfa6f7d103c1b57. インデックス

# 和字符串一样,长度代表着元祖里面元素的个数list = ['huwentao','xiaozhou','tengjiang','mayan']print(len(list))
显示;4

2cc198a1d5eb0d3eb508d858c9f5cbdb は、辞書の場合、順不同で保存されるため、辞書にはスライスがありません。 . 他のタイプとは異なります。

5bdf4c78156c7953567bb5a0aef2fc53。長さ
# 和字符串相同,此处就不在进行说明list = ['huwentao','xiaozhou','tengjiang','mayan']for i in list:print(i,end='  ')
显示:
huwentao  xiaozhou  tengjiang  mayan
6f43ac35e6b42338a5dc54129880f245 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

2. Python オペレーター
1.演算子

tuple = ('huwentao','xiaozhou','tengjiang','mayan')for i in tuple:print(i, end='  ')
显示:
huwentao  xiaozhou  tengjiang  mayan

2.比較演算子
# 字典的索引和其他的不太一样,他的主要是通过键值对进行索引的,里面的不是下标,而是他的键dic = {'k1':'alex','k2':'aric','k3':'Alex','k4':'Tony'}print(dic['k1'])

  3. 逻辑运算符

#  逻辑运算值有: and  or  not #  and  代表 与#  or    代表或#  not   代表非a = 8b = 16c = 5print('c73a3d1797f26109fd8817fc596ac0251 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 中国語 Web サイトの他の関連記事を参照してください。

声明:
この記事の内容はネチズンが自主的に寄稿したものであり、著作権は原著者に帰属します。このサイトは、それに相当する法的責任を負いません。盗作または侵害の疑いのあるコンテンツを見つけた場合は、admin@php.cn までご連絡ください。