AttributeError Traceback (most recent call last) ~\AppData\Local\Temp/ipykernel_15340/867494765.py in <module> 72 73 #公司类型 ---> 74 company_type = i.select_one( 75 'div > div:nth-child(1) > a > div.iteminfo__line.iteminfo__line2 > div.iteminfo__line2__compdesc' 76 ).text AttributeError: 'NoneType' object has no attribute 'text'
时间: 2024-02-10 13:14:41 浏览: 306
这个错误可能是由于在使用 `select_one()` 方法时,没有找到符合选择器条件的元素,导致返回了 `None`。因为 `None` 对象没有 `text` 属性,所以出现了 `'NoneType' object has no attribute 'text'` 的错误。
你可以在使用 `select_one()` 方法前,先使用 `select()` 方法来检查是否有符合条件的元素存在,如果有,则再使用 `select_one()` 方法来选择元素,否则可以进行错误处理。例如:
```python
company_type_element = i.select('div > div:nth-child(1) > a > div.iteminfo__line.iteminfo__line2 > div.iteminfo__line2__compdesc')
if company_type_element:
company_type = company_type_element[0].text
else:
company_type = 'N/A'
```
这里先使用 `select()` 方法来获取符合条件的所有元素,然后判断列表中是否有元素存在,如果有,则使用 `select_one()` 方法来选择第一个元素并获取其文本内容,否则将 `company_type` 设置为 `'N/A'`。这样可以避免出现 `'NoneType' object has no attribute 'text'` 的错误。
相关问题
AttributeError Traceback (most recent call last) ~\AppData\Local\Temp/ipykernel_8532/2479922506.py in <module> 1 import xlrd 2 import numpy as np ----> 3 wb=xlrd.open("历年总人口.xls") 4 sheet=wb.sheet_by_index(0) 5 col_0=sheet.col_values(0) AttributeError: module 'xlrd' has no attribute 'open'
这个错误提示是因为 `xlrd` 模块中没有 `open` 这个函数,正确的函数是 `open_workbook`。所以需要将 `xlrd.open` 改成 `xlrd.open_workbook`。
下面是修改后的代码:
```python
import xlrd
import numpy as np
wb = xlrd.open_workbook("历年总人口.xls")
sheet = wb.sheet_by_index(0)
col_0 = sheet.col_values(0)[38:]
col_1 = sheet.col_values(1)[38:]
col_2 = sheet.col_values(2)[38:]
col_4 = sheet.col_values(4)[38:]
year = [int(c) for c in col_0]
total = [int(c) for c in col_1]
man = [int(c) for c in col_2]
woman = [int(c) for c in col_4]
m = len(year)
arr = np.array(year).reshape(m,1)
arr = np.insert(arr,1,values=total,axis=1)
arr = np.insert(arr,1,values=man,axis=1)
arr = np.insert(arr,1,values=woman,axis=1)
file='历年总人口.csv'
np.savetxt(file,arr,fmt='%i',delimiter=',',comments='',header='年份,年末总人口,男性人口,女性人口')
x = np.loadtxt(file,dtype=np.int,delimiter=',',skiprows=1)
print(x)
```
AttributeError Traceback (most recent call last) ~\AppData\Local\Temp\ipykernel_5316\1724028029.py in <module> ----> 1 data=wine_data.iloc[:,1:] 2 targe=wine_data.iloc[:,0] AttributeError: 'numpy.ndarray' object has no attribute 'iloc'
这是一个 Python 异常,表示尝试访问一个不存在的属性或方法。在你的情况下,它告诉你 numpy 数组对象没有名为 `iloc` 的属性,因此你不能使用 `iloc` 方法来访问数组的元素。
`iloc` 方法是 pandas 数据框架对象的方法。如果你想使用 `iloc` 方法来访问数据,请确保你的数据是 pandas 数据框架对象,而不是 numpy 数组对象。
要解决这个问题,你可以在将数据加载到 numpy 数组中之前,将数据加载到 pandas 数据框架中。你可以使用 pandas 库中的 `read_csv` 函数来加载 CSV 文件并将其转换为 pandas 数据框架。例如,以下代码将 CSV 文件加载到 `wine_data` 数据框架中:
```python
import pandas as pd
wine_data = pd.read_csv('wine.csv')
```
然后,你可以使用 `iloc` 方法来访问数据框架中的元素,如下所示:
```python
data = wine_data.iloc[:, 1:]
target = wine_data.iloc[:, 0]
```
这将返回数据框架中第 1 列以及从第 2 列到最后一列的所有列作为数据,以及第 0 列作为目标。
阅读全文