Python數據類型及其方法詳解

来源:http://www.cnblogs.com/liubinsh/archive/2017/06/20/7049959.html
-Advertisement-
Play Games

Python數據類型及其方法詳解 我們在學習編程語言的時候,都會遇到數據類型,這種看著很基礎也不顯眼的東西,卻是很重要,本文介紹了python的數據類型,並就每種數據類型的方法作出了詳細的描述,可供知識回顧。 一、整型和長整型 整型:數據是不包含小數部分的數值型數據,比如我們所說的1、2、3、4、1 ...


Python數據類型及其方法詳解

我們在學習編程語言的時候,都會遇到數據類型,這種看著很基礎也不顯眼的東西,卻是很重要,本文介紹了python的數據類型,並就每種數據類型的方法作出了詳細的描述,可供知識回顧。

一、整型和長整型

整型:數據是不包含小數部分的數值型數據,比如我們所說的1、2、3、4、122,其type為"int" 長整型:也是一種數字型數據,但是一般數字很大,其type為"long" 在python2中區分整型和長整型,在32位的機器上,取值範圍是-2147483648~2147483647,超出範圍的為長整型,在64位的機器上,取值範圍為-9223372036854775808~9223372036854775807(通常也與python的解釋器的位數有關)。 在python3中,不存在整型和長整型之分,只有整型。 舉個例子:
python2中
number = 123
print (type(number))
number2 = 2147483647
print (type(number2))
number2 = 2147483648    #我們會看到超過2147483647這個範圍,在py2中整形就會變成長整形了
print (type(number2))
#運行結果
<type 'int'>
<type 'int'>
<type 'long'>
#python3中
number = 123
print (type(number))
number2 = 2147483648   
print (type(number2))    #在python3中並不會
#運行結果
<class 'int'>
<class 'int'>
View Code

常用的method的如下:

.bit_length()

取最短bit位數

  def bit_length(self): # real signature unknown; restored from __doc__
        """
        int.bit_length() -> int
        
        Number of bits necessary to represent self in binary.
        >>> bin(37)
        '0b100101'
        >>> (37).bit_length()
        6
        """
        return 0
View Code

舉個例子:

number = 12  #1100 
print(number.bit_length())
#運行結果
4
View Code

 

 二、浮點型

 浮點型可以看成就是小數,type為float。

#浮點型
number = 1.1
print(type(number))
#運行結果
<class 'float'>
View Code

 常用method的如下:

.as_integer_ratio()

返回元組(X,Y),number = k ,number.as_integer_ratio() ==>(x,y) x/y=k

    def as_integer_ratio(self): # real signature unknown; restored from __doc__
        """
        float.as_integer_ratio() -> (int, int)
        
        Return a pair of integers, whose ratio is exactly equal to the original
        float and with a positive denominator.
        Raise OverflowError on infinities and a ValueError on NaNs.
        
        >>> (10.0).as_integer_ratio()
        (10, 1)
        >>> (0.0).as_integer_ratio()
        (0, 1)
        >>> (-.25).as_integer_ratio()
        (-1, 4)
        """
        pass
View Code

 舉個例子

number = 0.25
print(number.as_integer_ratio())
#運行結果
(1, 4)
View Code

.hex()

 以十六進位表示浮點數

    def hex(self): # real signature unknown; restored from __doc__
        """
        float.hex() -> string
        
        Return a hexadecimal representation of a floating-point number.
        >>> (-0.1).hex()
        '-0x1.999999999999ap-4'
        >>> 3.14159.hex()
        '0x1.921f9f01b866ep+1'
        """
        return ""
View Code

 舉個例子

number = 3.1415
print(number.hex())
#運行結果
0x1.921cac083126fp+1
View Code

.fromhex()

將十六進位小數以字元串輸入,返回十進位小數

    def fromhex(string): # real signature unknown; restored from __doc__
        """
        float.fromhex(string) -> float
        
        Create a floating-point number from a hexadecimal string.
        >>> float.fromhex('0x1.ffffp10')
        2047.984375
        >>> float.fromhex('-0x1p-1074')
        -5e-324
        """
View Code

舉個例子

print(float.fromhex('0x1.921cac083126fp+1'))
#運行結果
3.1415
View Code

.is_integer()

判斷小數是不是整數,比如3.0為一個整數,而3.1不是,返回布爾值

    def is_integer(self, *args, **kwargs): # real signature unknown
        """ Return True if the float is an integer. """
        pass
View Code

舉個例子

number = 3.1415
number2 = 3.0
print(number.is_integer())
print(number2.is_integer())
#運行結果
False
True
View Code

 

三、字元類型

字元串就是一些列的字元,在Python中用單引號或者雙引號括起來,多行可以用三引號。

name = 'my name is Frank'
name1 = "my name is Frank"
name2 = '''my name is Frank
I'm 23 years old,      
       '''
print(name)
print(name1)
print(name2)
#運行結果
my name is Frank
my name is Frank
my name is Frank
I'm 23 years old  
View Code

常用method的如下:

.capitalize()

字元串首字元大寫

  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 ""
View Code

舉個例子

name = 'my name is Frank'
#運行結果
My name is frank
View Code

.center()

字元居中,指定寬度和填充字元(預設為空格)

  def center(self, width, fillchar=None): # real signature unknown; restored from __doc__
        """
        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 ""
View Code

舉個例子

flag = "Welcome Frank"
print(flag.center(50,'*'))
#運行結果
******************Welcome Frank*******************
View Code

.count()

計算字元串中某個字元的個數,可以指定索引範圍

    def count(self, sub, start=None, end=None): # real signature unknown; restored from __doc__
        """
        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 0
View Code

舉個例子

flag = 'aaababbcccaddadaddd'
print(flag.count('a'))
print(flag.count('a',0,3))
#運行結果
7
3
View Code

.encode()

編碼,在python3中,str預設是unicode數據類型,可以將其編碼成bytes數據

    def encode(self, encoding='utf-8', errors='strict'): # real signature unknown; restored from __doc__
        """
        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""
View Code

舉個例子

flag = 'aaababbcccaddadaddd'
print(flag.encode('utf8'))
#運行結果
b'aaababbcccaddadaddd'
View Code

.endswith()

判斷字元串結尾是否是某個字元串和字元,可以通過索引指定範圍

   def endswith(self, suffix, start=None, end=None): # real signature unknown; restored from __doc__
        """
        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 False
View Code

舉個例子

flag = 'aaababbcccaddadaddd'
print(flag.endswith('aa'))
print(flag.endswith('ddd'))
print(flag.endswith('dddd'))
print(flag.endswith('aaa',0,3))
print(flag.endswith('aaa',0,2))
#運行結果
False
True
False
True
False
View Code

.expandtabs()

把製表符tab("\t")轉換為空格

  def expandtabs(self, tabsize=8): # real signature unknown; restored from __doc__
        """
        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 ""
View Code

舉個例子

flag = "\thello python!"
print(flag)
print(flag.expandtabs())   #預設tabsize=8
print(flag.expandtabs(20))
#運行結果
    hello python!             #一個tab,長度為4個空格
        hello python!         #8個空格
                    hello python!    #20個空格
View Code

.find()

查找字元,返回索引值,可以通過指定索引範圍內查找,查找不到返回-1

    def find(self, sub, start=None, end=None): # real signature unknown; restored from __doc__
        """
        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 0
View Code

舉個例子

flag = "hello python!"
print(flag.find('e'))
print(flag.find('a'))
print(flag.find('h',4,-1))
#運行結果
1
-1
9
View Code

.format()

格式化輸出,使用"{}"符號作為操作符。

def format(self, *args, **kwargs): # known special case of str.format
        """
        S.format(*args, **kwargs) -> str
        
        Return a formatted version of S, using substitutions from args and kwargs.
        The substitutions are identified by braces ('{' and '}').
        """
        pass
View Code

舉個例子

#位置參數
flag = "hello {0} and {1}!"
print(flag.format('python','php'))
flag = "hello {} and {}!"
print(flag.format('python','php'))
#變數參數
flag = "{name} is {age} years old!"
print(flag.format(name='Frank',age = 23))
#結合列表
infor=["Frank",23]
print("{0[0]} is {0[1]} years old".format(infor))
#運行結果
hello python and php!
hello python and php!
Frank is 23 years old!
Frank is 23 years old
View Code

.format_map()

格式化輸出

 def format_map(self, mapping): # real signature unknown; restored from __doc__
        """
        S.format_map(mapping) -> str
        
        Return a formatted version of S, using substitutions from mapping.
        The substitutions are identified by braces ('{' and '}').
        """
        return ""
View Code

舉個例子

people={
    'name':['Frank','Caroline'],
    'age':['23','22'],
}
print("My name is {name[0]},i am {age[1]} years old !".format_map(people))
#運行結果
My name is Frank,i am 22 years old !
View Code

.index()

根據字元查找索引值,可以指定索引範圍查找,查找不到會報錯

 def index(self, sub, start=None, end=None): # real signature unknown; restored from __doc__
        """
        S.index(sub[, start[, end]]) -> int
        
        Like S.find() but raise ValueError when the substring is not found.
        """
        return 0
View Code

舉個例子

flag = "hello python!"
print(flag.index("e"))
print(flag.index("o",6,-1))
#運行結果
1
10
View Code

.isalnum()

判斷是否是字母或數字組合,返回布爾值

def isalnum(self): # real signature unknown; restored from __doc__
        """
        S.isalnum() -> bool
        
        Return True if all characters in S are alphanumeric
        and there is at least one character in S, False otherwise.
        """
        return False
View Code

舉個例子

flag = "hellopython"
flag1 = "hellopython22"
flag2 = "hellopython!!"
flag3 = "!@#!#@!!@"
print(flag.isalnum())
print(flag1.isalnum())
print(flag2.isalnum())
print(flag3.isalnum())
#運行結果
True
True
False
False
View Code

.isalpha()

判斷是否是字母組合,返回布爾值

 def isalpha(self): # real signature unknown; restored from __doc__
        """
        S.isalpha() -> bool
        
        Return True if all characters in S are alphabetic
        and there is at least one character in S, False otherwise.
        """
        return False
View Code

舉個例子

flag = "hellopython"
flag1 = "hellopython22"
print(flag.isalpha())
print(flag1.isalpha())
#運行結果
True
False
View Code

.isdecimal()

判斷是否是一個十進位正整數,返回布爾值

  def isdecimal(self): # real signature unknown; restored from __doc__
        """
        S.isdecimal() -> bool
        
        Return True if there are only decimal characters in S,
        False otherwise.
        """
        return False
View Code

舉個例子

number = "1.2"
number1 = "12"
number2 = "-12"
number3 = "1222"
print(number.isdecimal())
print(number1.isdecimal())
print(number2.isdecimal())
print(number3.isdecimal())
#運行結果
False
True
False
True
View Code

isdigit()

判斷是否是一個正整數,返回布爾值,與上面isdecimal類似

  def isdigit(self): # real signature unknown; restored from __doc__
        """
        S.isdigit() -> bool
        
        Return True if all characters in S are digits
        and there is at least one character in S, False otherwise.
        """
        return False
View Code

舉個例子

number = "1.2"
number1 = "12"
number2 = "-12"
number3 = "11"
print(number.isdigit())
print(number1.isdigit())
print(number2.isdigit())
print(number3.isdigit())
#運行結果
False
True
False
True
View Code

.isidentifier()

判斷是否為python中的標識符

 def isidentifier(self): # real signature unknown; restored from __doc__
        """
        S.isidentifier() -> bool
        
        Return True if S is a valid identifier according
        to the language definition.
        
        Use keyword.iskeyword() to test for reserved identifiers
        such as "def" and "class".
        """
        return False
View Code

舉個例子

flag = "cisco"
flag1 = "1cisco"
flag2 = "print"
print(flag.isidentifier())
print(flag1.isidentifier())
print(flag2.isidentifier())
#運行結果
True
False
True
View Code

.islower()

 判斷字元串中的字母是不是都是小寫,返回布爾值

    def islower(self): # real signature unknown; restored from __doc__
        """
        S.islower() -> bool
        
        Return True if all cased characters in S are lowercase and there is
        at least one cased character in S, False otherwise.
        """
        return False
View Code

舉個例子

flag = "cisco"
flag1 = "cisco222"
flag2 = "Cisco"
print(flag.islower())
print(flag1.islower())
print(flag2.islower())
#運行結果
True
True
False
View Code

.isnumeric()

判斷是否為數字,這個很強大,中文字元,繁體字數字都可以識別

 def isnumeric(self): # real signature unknown; restored from __doc__
        """
        S.isnumeric() -> bool
        
        Return True if there are only numeric characters in S,
        False otherwise.
        """
        return False
View Code

舉個例子

number = "123"
number1 = ""
number2 = ""
number3 = "123q"
number4 = "1.1"
print(number.isnumeric())
print(number1.isnumeric())
print
              
您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • synchronized 前言 相信大家都聽說過線程安全問題,在學習操作系統的時候有一個知識點是臨界資源,簡單的說就是一次只能讓一個進程操作的資源,但是我們在使用多線程的時候是併發操作的,並不能控制同時只對一個資源的訪問和修改,想要控制那麼有幾種操作,今天我們就來講講第一種方法:線程同步塊或者線程同 ...
  • Anaconda 是一個旗艦版的python安裝包, 因為普通的python沒有庫, 如果需要安裝一些重要的庫, 要經常一個一個下載,會非常麻煩. 所以這個一個集成的, 可以手動批量升級的軟體. 而且庫的安裝也很全下載速度快. 從官網下載完以後, next 安裝好. 配置環境變數, 把安裝的文件夾的... ...
  • CXF是webService的框架,能夠和spring無縫整合 ##服務端編寫 1.創建動態web項目 2.導入cxf和spring相關jar包(CXF核心包:cxf-2.4.2.jar) 3.在web.xml中配置CXF框架的核心Servlet 4.提供spring框架的配置文件applicati ...
  • 原文地址http://www.cnblogs.com/xrq730/p/7048693.html,轉載請註明出處,謝謝 前言 我們知道volatile關鍵字的作用是保證變數在多線程之間的可見性,它是java.util.concurrent包的核心,沒有volatile就沒有這麼多的併發類給我們使用。 ...
  • 一、String 類代表字元串 Java 程式中的所有字元串字面值(如 "abc" )都作為此類的實例實現。 字元串是常量;它們的值在創建之後不能更改。字元串緩衝區支持可變的字元串。因為 String 對象是不可變的,所以可以共用。例如: 1 String str = "abc"; 等效於: 1 c ...
  • 會話bean是可以讓開發者不需要分心管理底層實現而進行快速業務代碼開發的技術 本文章從"什麼是會話", "為什麼使用會話bean", "會話bean的規範", "業務介面", "無狀態會話bean", "有狀態會話bean", "會話bean最佳實現" 這七大方面來深入講解EJB中的會話bean ...
  • #include<opencv2/opencv.hpp>using namespace cv;using namespace std;int main(){ int num=4;//讀取圖片數量; char filename[100]; char windowname[100]; IplImage* ...
  • Enter number: 3105168421 突然感覺沒什麼要註釋的,書上的提示說的都全了 踩坑中 Github地址:https://github.com/wangjackc/python 自己在學,沒什麼高質量代碼,慢慢來吧。 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...