python读取csv第二列中文数据,并保存
时间: 2024-01-13 16:04:31 浏览: 152
可以使用Python内置的csv模块来读取和保存CSV文件。假设你的CSV文件名为"data.csv",以下是读取第二列中文数据并保存的示例代码:
```python
import csv
# 读取CSV文件
with open('data.csv', 'r', encoding='utf-8') as csvfile:
reader = csv.reader(csvfile)
# 遍历每一行数据
for row in reader:
# 读取第二列数据
col2 = row[1]
# 输出第二列数据
print(col2)
# 保存CSV文件
data = [['姓名', '年龄', '性别'],
['张三', '20', '男'],
['李四', '22', '女']]
with open('output.csv', 'w', encoding='utf-8', newline='') as csvfile:
writer = csv.writer(csvfile)
# 遍历每一行数据
for row in data:
# 写入每一行数据
writer.writerow(row)
```
其中,`encoding='utf-8'`参数用于指定CSV文件的编码方式,`newline=''`参数用于避免写入CSV文件时出现空行。
相关问题
python读取csv第n列
你可以使用Python的csv模块来读取CSV文件,并获取特定列的数据。下面是一个示例代码:
```python
import csv
def read_csv_column(file_path, column_index):
with open(file_path, 'r') as csvfile:
reader = csv.reader(csvfile)
column_data = []
for row in reader:
if len(row) > column_index:
column_data.append(row[column_index])
return column_data
# 示例用法
csv_file = 'data.csv' # 替换为你的CSV文件路径
column_index = 2 # 替换为你想要读取的列索引,索引从0开始
column_data = read_csv_column(csv_file, column_index)
print(column_data)
```
以上代码中,`read_csv_column` 函数接受两个参数:CSV文件路径和列索引。它会打开CSV文件,逐行读取数据,并将指定列的数据存储在一个列表中返回。请将 `csv_file` 替换为你的CSV文件路径,将 `column_index` 替换为你想要读取的列索引。
注意:这个示例假设CSV文件中每一行的列数相同。如果某些行的列数不同,你可能需要添加一些额外的逻辑处理。
python 读取csv文件指定多列数据
要读取 CSV 文件中的多列数据,可以使用 Python 内置的 csv 模块和 Pandas 库。
使用 csv 模块读取 CSV 文件:
```python
import csv
with open('data.csv', 'r') as f:
reader = csv.reader(f)
data = [[row[1], row[3]] for row in reader] # 读取第2列和第4列数据
# 输出数据
for d in data:
print(d)
```
使用 Pandas 库读取 CSV 文件:
```python
import pandas as pd
# 读取指定多列的数据
df = pd.read_csv('data.csv', usecols=[1, 3])
# 输出数据
print(df)
```
以上代码可以读取指定 CSV 文件的第二列和第四列数据,你可以根据需要进行修改。
阅读全文