使用 python 对csv 数据进行分析,导出表格中相同数据数量

To analyze a CSV file using Python and count the occurrences of each unique value in a specific column, you can use the pandas library. Here’s a step-by-step guide on how to do it:

1. **Install pandas**: If you haven’t installed pandas, you can do so using pip. Open your command line or terminal and run:

“`bash
pip install pandas
“`

2. **Read the CSV File**: Use pandas to read the CSV file. You’ll need to know the name of the column you want to analyze.

3. **Count Unique Values**: Use pandas’ functionality to count the occurrences of each unique value in the desired column.

4. **Export the Counts**: The result can be exported to a new CSV file.

Here’s an example Python script to demonstrate this process:

“`python
import pandas as pd

def count_unique_values(file_path, column_name):
# Read the CSV file
df = pd.read_csv(file_path)

# Count the occurrences of each unique value in the specified column
value_counts = df[column_name].value_counts()

# Export the counts to a new CSV file
value_counts.to_csv(‘value_counts.csv’)

return value_counts

# Replace ‘/path/to/your/file.csv’ with the path to your CSV file
# Replace ‘your_column_name’ with the name of the column you want to analyze
count_unique_values(‘/path/to/your/file.csv’, ‘your_column_name’)
“`

In this script:
– Replace `’/path/to/your/file.csv’` with the path to your CSV file.
– Replace `’your_column_name’` with the name of the column you want to analyze.
– The function `count_unique_values` reads the CSV file, counts how many times each unique value appears in the specified column, and then exports these counts to a new CSV file named `value_counts.csv`.

This script will give you a CSV file where each line contains a unique value from the specified column and its corresponding count. Make sure your Python environment has the necessary permissions to read the source file and write the output file.