如何理解python报错信息_csb报错

如何理解python报错信息_csb报错#软件版本python3.7pycharm2018.3.1遇到的问题解释及处理方法#1报错#TypeError:‘key’isaninvalidkeywordargumentforprint()代码:def_cmp(x,y):ifx>y:return-1ifx<y:return

大家好,又见面了,我是你们的朋友全栈君。如果您正在找激活码,请点击查看最新教程,关注关注公众号 “全栈程序员社区” 获取激活教程,可能之前旧版本教程已经失效.最新Idea2022.1教程亲测有效,一键激活。

Jetbrains全系列IDE使用 1年只要46元 售后保障 童叟无欺

属于个人记录型,比较乱。小伙伴们打开后可以CTRL+F寻找你报错的关键字,节省时间

1 报错 #TypeError: ‘key’ is an invalid keyword argument for print()

def _cmp(x, y):
    if x > y:
        return -1
    if x < y:
        return 1
    return 0


print(sorted([1, 3, 9, 5, 0]), key=_cmp)

#处理方法:
print(sorted([1, 3, 9, 5, 0]), key = _cmp )
将key= _cmp 删除key=
print(sorted([1, 3, 9, 5, 0]), _cmp)

def _cmp(x, y):
    if x > y:
        return -1
    if x < y:
        return 1
    return 0


print(sorted([1, 3, 9, 5, 0]), _cmp)

#解释:
原因是:Python帮助文档中对sorted方法的讲解:
sorted(iterable[,cmp,[,key[,reverse=True]]])
作用:返回一个经过排序的列表。
第一个参数是一个iterable,返回值是一个对iterable中元素进行排序后的列表(list)。
可选的参数有三个,cmp、key和reverse。

1)cmp指定一个定制的比较函数,这个函数接收两个参数(iterable的元素),如果第一个参数小于第二个参数,返回一个负数;如果第一个参数等于第二个参数,返回零;如果第一个参数大于第二个参数,返回一个正数。默认值为None。
2)key指定一个接收一个参数的函数,这个函数用于从每个元素中提取一个用于比较的关键字。默认值为None。
3)reverse是一个布尔值。如果设置为True,列表元素将被倒序排列。
key参数的值应该是一个函数,这个函数接收一个参数并且返回一个用于比较的关键字。对复杂对象的比较通常是使用对象的切片作为关键字。

例如:

students = [('john', 'A', 15), ('jane', 'B', 12), ('dave', 'B', 10)]
sorted(students, key=lambda s: s[2]) #按年龄排序
 [('dave', 'B', 10), ('jane', 'B', 12), ('john', 'A', 15)]

2 使用urllib时报错 urllib2.urlerror, e:SyntaxError: invalid syntax

#处理方法:

except  urllib3.URLError, e:

改为

except urllib.error.URLError as e:

#解释:
except urllib3.URLError, e:
上面这条语法是Python2.7里面的语法,还有就是新版本没有urllib2库了
网上的一些爬虫实例比较老的爬虫语句里会出现,需要注意

3 新建项目后,写代码后运行报错

Configuration is still incorrect. Do you want to edit it again?
pycharm 提示如下图
运行程序时,报错
#处理方法:
pycharm-file-Settings-Poject-interpreter-选择python的目录
将这里改为安装的目录
在这里插入图片描述

#解释:
这个工程没有配置python解释器

4 运行报错

DeprecationWarning: loop argument is deprecated
DeprecationWarning: Application.make_handler(…) is deprecated

@asyncio.coroutine
def init(loop):
    app = web.Application(loop=loop)
    # app = web.Application()
    app.router.add_route('GET', '/', index)
    srv = yield from loop.create_server(app.make_handler(), '127.0.0.1', 9000)
    # srv = yield from loop.create_server(app(), '127.0.0.1', 9000)
    logging.info('server started at http://127.0.0.1:9000...')

#处理方法:

如下图
第一个错误改为注释里的语句
第二个错误pychram已经给出解释,删除app后面的语句即可
在这里插入图片描述

@asyncio.coroutine
def init(loop):
    app = web.Application()
    app.router.add_route('GET', '/', index)
    srv = yield from loop.create_server(app(), '127.0.0.1', 9000)
    logging.info('server started at http://127.0.0.1:9000...')

#解释:
好像是版本问题,不能确定

5 运行时提示读取list报错

‘list’ object cannot be interpreted as an integer
提示如下图;
在这里插入图片描述

#处理方法:

如下图
将错误代码

for j in range(Profit):

改为注释里的

for j in list(range(1, 5)):

这段代码是未完成的,大家只能参考
在这里插入图片描述

#解释:
使用range 函数直接遍历list或者遍历list位置是不行的

6 ‘<=’ not supported between instances of ‘str’ and ‘int’

提示如下图:
在这里插入图片描述
#处理方法:

score = input("请输入分数:")
if score >= 90:
    print("A")
elif 60 < score < 89:
    print("B")
else:
    print("C")

将score从str转换为int即可

score = input("请输入分数:")
score = int(score)	//将score从str转换为int
if score >= 90:
    print("A")
elif 60 < score < 89:
    print("B")
else:
    print("C")

#解释:
input()返回的数据类型是str,不支持和int进行比较,更简洁的办法是输入的时候直接定义为

score = int(input("请输入分数:"))

7 NameError: name ‘reduce’ is not defined

提示如下图:
在这里插入图片描述

源代码如下:

Tn = 0
Sn = []

n = int(input('n = '))
a = int(input('a = '))
for count in range(n):
    Tn = Tn + a
    a = a * 10
    Sn.append(Tn)
    print(Tn)

Sn = reduce(lambda x, y: x + y, Sn)
print("计算的和为:", Sn)

#处理方法:
前面添加引用函数“from functools import reduce”

from functools import reduce

Tn = 0
Sn = []

n = int(input('n = '))
a = int(input('a = '))
for count in range(n):
    Tn = Tn + a
    a = a * 10
    Sn.append(Tn)
    print(Tn)

Sn = reduce(lambda x, y: x + y, Sn)
print("计算的和为:", Sn)

解释:
网上看的大多数教程是Python2的教程,而实际使用是Python3
reduce函数在Python3版本被移除了,不属于内建函数了,因为放进functools模块,所以需要导出

8 FileNotFoundError: [Errno 2] No such file or directory: ‘D:\Python\Unittest\resultHtmlFile/2019-08-2715-59-13test_result.html’

提示如下
在这里插入图片描述
源代码如下:

    "执行测试用例,verbosity=2参数是测试结果显示复杂度,这里是具体到每一条执行结果"
    # runner = unittest.TextTestRunner(verbosity=2)
    now = time.strftime("%Y-%m-%d%H-%M-%S")
    test_dir = os.path.dirname(os.path.realpath(__file__))
    test_dir1 = test_dir + "\\resultHtmlFile"
    # path = os.path.abspath()
    filename = test_dir1 + '/' + now + 'test_result.html'
    fp = open(filename, "wb")
    runner = HTMLTestRunner(stream=fp, title=u"MathTest测试报告", description=u"用例执行情况")
    runner.run(suite)
    fp.close()

处理方法:
参照截图,发现网上的参考代码,目录那里多了一个“/“,删掉,再运行在这里插入图片描述
对源代码比较麻烦的地方,修改了下

    # runner = unittest.TextTestRunner(verbosity=2)
    time = time.strftime("%Y%m%d%H%M%S")
    path = os.path.dirname(os.path.realpath(__file__))
    filename = path + '\\' + time + 'test_result.html'
    fp = open(filename, "wb")
    runner = HTMLTestRunner(stream=fp, title=u"MathTest测试报告", description=u"用例执行情况")
    runner.run(suite)
    fp.close()

8. TypeError: ‘method’ object is not subscriptable

一般原因,函数调用方法没有加()导致
在这里插入图片描述
错误代码:

def home_page(request):
    return render(request, 'home.html', {
        "new_item_text": request.POST.get["item_text", " "],
    })

处理方法:
讲函数调用的地方加上括号request.POST.get["item_text", ""]改为request.POST.get("item_text", " ")

def home_page(request):
    return render(request, 'home.html', {
        "new_item_text": request.POST.get["item_text", " "],
    })

9. except Exception, e: ^ SyntaxError: invalid syntax

  File "/usr/local/dnomovie/webuser/models.py", line 43
    except Exception, e:
                    ^
SyntaxError: invalid syntax

**原因:**Python2和Python3写法不一样了

except Exception, e:
	return no_picture

改为

except Exception as e:
	return no_picture

10. ModuleNotFoundError: No module named ‘models’

通常是缺库,不是不是缺库就检查下下面的原因

  File "/usr/local/dnomovie/webuser/admin.py", line 3, in <module>
    import models
ModuleNotFoundError: No module named 'models'

原因:
仔细检查了下是import层级问题,同目录下不能直接import

import models

改为

# xxx为上级目录
import xxx.models

11. DeprecationWarning: “@coroutine” decorator is deprecated since Python 3.8, use “async def” instead

@asyncio.coroutine
def init(loop):
    app = web.Application(loop=loop)
    app.router.add_route('GET', '/', index)
    srv = yield from loop.create_server(app.make_handler(), '127.0.0.1', 9000)
    logging.info('server started at http://127.0.0.1:9000...')
    return srv

loop = asyncio.get_event_loop()
loop.run_until_complete(init(loop))
loop.run_forever

原因:
报错说的很清楚,3.8版本这方法停用了,需要从新写

改动:

# 装饰器去掉,用async def代替
# @asyncio.coroutine
async def init(loop):
    app = web.Application(loop=loop)
    app.router.add_route('GET', '/', index)
    # yield from 替换为await
    srv = await loop.create_server(app.make_handler(), '127.0.0.1', 9000)
    logging.info('server started at http://127.0.0.1:9000...')
    return srv

loop = asyncio.get_event_loop()
loop.run_until_complete(init(loop))
loop.run_forever

12. “TypeError: addTest() missing 1 required positional argument: ‘test’”

在这里插入图片描述

原因:

# unittest.TestSuite忘了家括号
suite = unittest.TestSuite()
if __name__ == "__main__":
    suite = unittest.TestSuite()
    ## 添加单个用例
    # suite.addTest(TestNews("LatestNews"))
    ## 添加一个测试类
    loader = unittest.TestLoader()
    suite.addTest(loader.loadTestsFromTestCase(TestNews))
    suite.addTest(loader.loadTestsFromModule(TestNews))


runner = runner.TextTestRunner(verbosity=2)
runner.run(suite)
版权声明:本文内容由互联网用户自发贡献,该文观点仅代表作者本人。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌侵权/违法违规的内容, 请发送邮件至 举报,一经查实,本站将立刻删除。

发布者:全栈程序员-用户IM,转载请注明出处:https://javaforall.cn/175085.html原文链接:https://javaforall.cn

【正版授权,激活自己账号】: Jetbrains全家桶Ide使用,1年售后保障,每天仅需1毛

【官方授权 正版激活】: 官方授权 正版激活 支持Jetbrains家族下所有IDE 使用个人JB账号...

(1)


相关推荐

  • vue项目中关闭eslint的方法

    vue项目中关闭eslint的方法一群胡说八道的,说注释这个rule,那个rule,全tm球用没有。还有说在webpack.config.js等文件里操作的,但vue-cli创建出来的项目中根本没有这些玩意。方法在项目根目录下增加vue.config.js文件。内容如下://vue.config.jsmodule.exports={lintOnSave:false}完事。转载链接:添加链…

  • winrar 去广告 使用 hxd 或 任意二进制修改器

    winrar 去广告 使用 hxd 或 任意二进制修改器不喜使用winrar,但是winrar解压算法偶尔会更新,其他解压缩软件没有及时更新,就会造成只能用winrar来解压的情况参考方法来自https://www.52pojie.cn/thread-648133-1-1.html只是觉得用ResHacker太麻烦“##0aN9…”这串字符串是以宽字符串为保存的,如果要用搜索字符串方法,需要用搜索unicode字符串…

  • SAP WebIDE的本地安装方式「建议收藏」

    SAP WebIDE的本地安装方式「建议收藏」#CreatedbyJerryWang,lastmodifiedonJun02,20151.https://store.sap.com/下载安装文件:![clipboard1](https://user-images.githubusercontent.com/5669954/27470901-38a99006-57f6-11e7-8c0e-57f5cbf86e…

    2022年10月18日
  • python中itchat_python打招呼的代码

    python中itchat_python打招呼的代码#!/usr/bin/envypython3#-*-coding:utf-8-*-importitchatimportdatetime,os,platform,timedeftimerfun(sched_time):flag=0whileTrue:now=datetime.datetime.now()if…

  • matlab 加权回归估计_matlab代码:地理加权回归(GWR)示例

    matlab 加权回归估计_matlab代码:地理加权回归(GWR)示例【实例简介】地理加权回归(GWR)matlab代码,亲测可用,该代码利用matlab实现了地理加权回归的代码,内附实际算例。【实例截图】【核心代码】functionresult=gwr(y,x,east,north,info);%PURPOSE:computegeographicallyweightedregression%—————————–…

  • Unity | Cinemachine ClearShot Camera[通俗易懂]

    Unity | Cinemachine ClearShot Camera[通俗易懂]ClearShotCamera可以管理一组子虚拟相机,这些虚拟相机需要具有CinemachineCollider组件,ClearShotCamera可以实现角色被障碍物挡住时,虚拟摄像机的自动切换效果,如下所示,角色与Cam2被BoxCollider挡住时,虚拟相机由Cam2自动切换到Cam3。ClearShotCamera上有一个CinemachineClearShot组件,VirtualCameraChildren管理虚拟相机。CinemachineCollider既可以挂在所

发表回复

您的电子邮箱地址不会被公开。

关注全栈程序员社区公众号