• Post author:
  • Post category:Pandas
  • Post last modified:March 27, 2024
  • Reading time:17 mins read
You are currently viewing Pandas Change String to Date in DataFrame

Pandas change or convert DataFrame Column Type From String to Date type datetime64[ns] Format. You can use pandas.to_datetime() and DataFrame.astype() method to change the Pandas DataFrame column type from string to date format.

In this article, I will explain how to change the string column to date format, change multiple string columns to date format, and finally change all string columns that have date string to date time column.

Note that if dates are not in date format, you cannot execute any time-series-based operations on the dates hence, conversion is required.

1. Quick Examples of Change String to Date in Pandas DataFrame

If you are in a hurry, below are some quick examples of how to change the DataFrame columns type from string to date format (date type datetime64[ns]).


# Below are some quick examples

# Example 1: Use pandas.to_datetime() to convert string to datetime format
df["InsertedDate"] = pd.to_datetime(df["InsertedDate"])

# Example 2: Convert and store in another column
df["NewColumn"] = pd.to_datetime(df["InsertedDate"])

# Example 3: Using DataFrame.astype() function
df["InsertedDate"] = df["InsertedDate"].astype('datetime64[ns]')

# Example 4: Convert the data type of column 'Date' from string (YYYY/MM/DD) to datetime64
df["InsertedDates"] =  pd.to_datetime(df["InsertedDates"], format="%Y/%m/%d")

# Example 5: Use pandas.to_datetime() to convert string to "yyyymmdd" format
df["InsertedDates"] = pd.to_datetime(df["InsertedDates"], format='%y%m%d')

Now, let’s create a DataFrame with a few rows and columns, execute these examples, and validate the results. Our DataFrame contains column names CoursesFeeDurationDiscount, and InsertedDate.


# Create DataFrame
import pandas as pd
technologies   = ({
    'Courses':["Spark","PySpark","Hadoop","Python","Pandas"],
    'Fee' :[22000,25000,23000,24000,26000],
    "InsertedDate":["2020/11/14","17/11/2020","17-11-2020","2021-11-17","11/14/2021"]
          })
df = pd.DataFrame(technologies)
print("Create DataFrame:\n", df)
print("----------------------------------")
print("Type of the columns:\n", df.dtypes)

Yields below output.

pandas convert string date

2. Use pandas.to_datetime() to Change String to Date

pandas.to_datetime() method is used to change String/Object time to date type (datetime64[ns]). This method is smart enough to change different formats of the String date column to date.

Related: You can also convert Date (datetime) to String Format.


# Use pandas.to_datetime() to convert string to datetime format
df["InsertedDate"] = pd.to_datetime(df["InsertedDate"])
print("After converting a string type to datetime"\n:, df)
print("----------------------------------")
print("Type of the columns:\n", df.dtypes)

Yields below output. Note that the dtype of InsertedDate column changed to datetime64[ns] from object type.

pandas convert string date

In order to create a new column in pandas instead of updating the existing one.


# Convert and store in different column
df["NewColumn"] = pd.to_datetime(df["InsertedDate"])

You can also specify the input format param to to_datetime()


# Specify input format
df["InsertedDate"] = pd.to_datetime(df["InsertedDate"], format="%Y/%m/%d")

3. Using DataFrame.astype() to Change String to Date

DataFrame.astype() method is also used to change string to date dtype (datetime64[ns]). Note that astype() is used to cast any datatype (dtype) in pandas.


# Using DataFrame.astype() function
df["InsertedDate"] = df["InsertedDate"].astype('datetime64[ns]')
print("After converting a string type to datetime"\n:, df)
print("----------------------------------")
print("Type of the columns:\n", df.dtypes)

Yields the same output as above.

5. Use pandas.to_datetime() to change String to “yyyymmdd” Format

If You have a date in "yymmdd" format in the DataFrame column, and to change it from a string to a date(‘yyyy-mm-dd’) format.


import pandas as pd
technologies = [["211114",22000],["211117",25000],["211115",26000],
            ["211117",30000],['211114',35000]]
df = pd.DataFrame(technologies,columns=["InsertedDate",'Fee'])
print("Create DataFrame:\n", df)
print("---------------------------")
print("Type of the columns:\n", df.dtypes)

Yields below output.


# Output:
# Create DataFrame:
  InsertedDate    Fee
0        211114  22000
1        211117  25000
2        211115  26000
3        211117  30000
4        211114  35000
--------------------------------
Type of the columns:
InsertedDate    object
Fee               int64
dtype: object

You can see that the Datatype of the "InsertedDate" column in the DataFrame is "object", that means, it is a string. Now, convert the datatype into datetime(‘yyyy-mm-dd’) format by using df["InsertedDate"] = pd.to_datetime(df["InsertedDate"],format='%y%m%d') function.


# Use pandas.to_datetime() to convert string to "yyyymmdd" format
df["InsertedDate"] = pd.to_datetime(df["InsertedDate"], format='%y%m%d')
print("After converting a string type to datetime"\n:, df)
print("----------------------------------")
print("Type of the columns:\n", df.dtypes)

Yields below output.


# Output:
# After converting a string type to datetime:
  InsertedDate    Fee
0    2021-11-14  22000
1    2021-11-17  25000
2    2021-11-15  26000
3    2021-11-17  30000
4    2021-11-14  35000
# Type of the columns:
InsertedDate    datetime64[ns]
Fee                       int64
dtype: object

6. Change Multiple Columns from string Using pandas.to_datetime()

Alternatively, you can convert multiple columns from string type to date format, which means "YYYYMMDD" format, by using the "pandas.to_datetime()" function.


# Create DataFrame
import pandas as pd
technologies = [["20211114","Spark","20211115"],["20211117","PySpark","20211118"],["20211115","Hadoop","20211115"],
            ["20211117","Python","20211119"],['20211114',"Pandas","20211117"]]
df = pd.DataFrame(technologies,columns=["InsertedDate",'Courses',"UpdatedDate"])
print("Create DataFrame:\n", df)
print("----------------------------------")
print("Type of the columns:\n", df.dtypes)

Convert multiple string columns to Date.


#  Using pandas.to_datetime() to convert multiple columns from string
df["InsertedDate"] = pd.to_datetime(
                          df["InsertedDate"],
                          format='%Y%m%d'
)
df["UpdatedDate"] = pd.to_datetime(
                          df["UpdatedDate"],
                          format='%Y%m%d'
)
print("After converting a string type to datetime:\n", df)
print("----------------------------------")
print("Type of the columns:\n", df.dtypes)

Yields below output.


# Output:
# After converting a string type to datetime
  InsertedDate  Courses UpdatedDate
0    2021-11-14    Spark   2021-11-15
1    2021-11-17  PySpark   2021-11-18
2    2021-11-15   Hadoop   2021-11-15
3    2021-11-17   Python   2021-11-19
4    2021-11-14   Pandas   2021-11-17
-----------------------------------------
Type of the columns:
InsertedDate    datetime64[ns]
Courses                  object
UpdatedDate     datetime64[ns]
dtype: object

7. Complete Example For Change String to Date in DataFrame


import pandas as pd
technologies   = ({
    'Courses':["Spark","PySpark","Hadoop","Python","Pandas"],
    'Fee' :[22000,25000,23000,24000,26000],
    'Duration':['30days','50days','55days','40days','60days'],
    'Discount':[1000,2300,1000,1200,2500],
    "InsertedDate":["2020/11/14","2020/11/17","2021/11/15","2021/11/17","2021/11/14"]
          })
df = pd.DataFrame(technologies)


# Use pandas.to_datetime() to convert string to datetime format
df["InsertedDate"] = pd.to_datetime(df["InsertedDate"])
print (df.dtypes)

# Check the format of 'InsertedDate' column
df.info()

# Using DataFrame.astype() function
df["InsertedDate"] = df["InsertedDate"].astype('datetime64[ns]')
print (df.dtypes)

# Convert the data type of column 'Date' from string (YYYY/MM/DD) to datetime64
df["InsertedDate"] =  pd.to_datetime(df["InsertedDate"], format="%Y/%m/%d")
print(df.dtypes)

# Use pandas.to_datetime() to convert string to "yyyymmdd" format
df["InsertedDate"] = pd.to_datetime(df["InsertedDate"], format='%y%m%d')
print(df)
print(df.dtypes)

# Using pandas.to_datetime() to convert multiple columns from string
df["InsertedDate"] = pd.to_datetime(
                          df["InsertedDate"],
                          format='%Y%m%d')
df["UpdatedDate"] = pd.to_datetime(
                          df["UpdatedDate"],
                          format='%Y%m%d')
print(df)
print(df.dtypes)

Frequently Asked Questions on Pandas Change String to Date Format

How do I convert a string column to a date column in a Pandas DataFrame?

You can use the pd.to_datetime() function in Pandas to convert DataFrame column string type to Date format.

What if the date format is different in my DataFrame?

If your date format differs, you can specify the format using the format parameter. For example, if your date is in the format ‘dd-mm-yyyy’. For example, df['date_format'] = pd.to_datetime(df['string_column'], format='%d-%m-%Y')

How can I convert multiple string columns to date columns simultaneously?

You can convert multiple string columns to date columns simultaneously by applying pd.to_datetime() to each column. For example, df[['date_format1', 'date_format2']] = df[['string_column1', 'string_column2']].apply(pd.to_datetime)

How can I convert a date column back to a string if needed?

you can convert a date column back to a string using the dt.strftime() method. For example, df['string_column'] = df['date_format'].dt.strftime('%Y-%m-%d')

How can I extract specific components (day, month, year) from the datetime column?

Once you have a datetime column, you can extract specific components using the dt accessor. For example, df['day'] = df['date'].dt.day
df['month'] = df['date'].dt.month
df['year'] = df['date'].dt.year

Conclusion

In this article, you have learned how to change the Pandas DataFrame column type from string to Date format by using pandas.to_datetime() & DataFrame.astype() functions with examples.

Happy Learning !!

References

Naveen Nelamali

Naveen Nelamali (NNK) is a Data Engineer with 20+ years of experience in transforming data into actionable insights. Over the years, He has honed his expertise in designing, implementing, and maintaining data pipelines with frameworks like Apache Spark, PySpark, Pandas, R, Hive and Machine Learning. Naveen journey in the field of data engineering has been a continuous learning, innovation, and a strong commitment to data integrity. In this blog, he shares his experiences with the data as he come across. Follow Naveen @ LinkedIn and Medium

Leave a Reply