1. 程式人生 > 其它 >命名規則和基本資料型別

命名規則和基本資料型別

技術標籤:practicepython

一.資料型別

1.介紹了幾種基本的資料型別:

1. 引用了type()方法檢視變數的資料型別
  • str 字串型別

    a = "wall eye knee"
    print(type(a)) #<class 'str'>
    
    c = "666"
    print(type(c)) #<class 'str'>
    
    
  • int型

    b = 666
    print(type(b)) #<class 'int'>
    
  • float 型

    d = 123.456
    print(type(d)) #<class 'float'>

    *complex型

    #  複數  實部+虛部j
    #  虛數不單獨存在,跟著實數一起
    test = 100 + 20j
    print(test.real)  # 100.0 獲取實部
    print(test.imag)  # 20.0  獲取虛部
    
  • bool 型

    e = True
    print(type(e)) #<class 'bool'>
    
  • list 列表

    f = [1, a, b, c, d, e]
    print(type(f))  #<class 'list>
    
  • tuple 元組

    g = (1, 2, 3)
    print(type(g)) #<class 'tuple'>
  • dict 字典 格式: {keys : value}

    h = {"name": "Alice", "age": "18"}
    print(type(h)) #<class 'dict'>
    
  • set 集合

    i = {1, 2, 3}
    print(type(i)) #<class 'set'>
    

注意:函式也是一種資料型別

二.識別符號的命名

1.命名規則

  • 識別符號由字母、下劃線、和數字組成,且數字不能開頭

  • 不能以關鍵字命名

    # print = 123
    # print(print) # 會報錯'int' object is not callable
    # int = 666 # print(int) # 不會報錯,但是最好不要使用關鍵字
  • 區分大小寫

    Name = "a"
    name = "b"
    print(name, Name)  # 輸出結果:b a3.格式化輸出