Pythonのデータ型とデータ型を調べる方法

目次

01. Pythonのデータ型

データ型

02. データ型を調べる

データ型を調べる(type)

データ型

データ型 説明
文字列(str) 文字列です。ダブルコーテーション(")またはシングルコーテーション(')で囲みます。
整数(int) 数値
浮動小数点(float) 小数点ありの数値
論理(bool) TrueまたはFalse
日時(datetime) 日時
list 例:a = ['A','B','C']
tuple 例:a = ("a","b","c")
dictionary 例:a = {"c1":"red","c2":"yellow","c3":"blue"}
set 例:a = {"a", "b", "c"}

上記以外にもデータ型あります。

https://docs.python.org/ja/3/library/datatypes.html

 

データ型を調べる

typeでデータ型を確認できます。

# coding: utf-8
import datetime

test1 = "abc"
print(type(test1))  #<class 'str'>

test2 = 100
print(type(test2))  #<class 'int'>

test3 = 2.1
print(type(test3))  #<class 'float'>

test4 = True
print(type(test4))  #<class 'bool'>

test5 = datetime.date(2024, 4, 1)
print(type(test5))  #<class 'datetime.date'>

test6 = ['A', 'B', 'C']
print(type(test6))  #<class 'list'>

test7 = ("a", "b", "c")
print(type(test7))  #<class 'tuple'>

test8 = {"c1": "red", "c2": "yellow", "c3": "blue"}
print(type(test8))  #<class 'dict'>

test9 = {"a", "b", "c"}
print(type(test9))  #<class 'set'>

関連の記事

Python 数値と文字列の変換のサンプル

△上に戻る