python 自定义函数第一个参数设缺省值时怎么调用?
Posted
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了python 自定义函数第一个参数设缺省值时怎么调用?相关的知识,希望对你有一定的参考价值。
如果第一个参数为缺少值时怎么调用?
def squreep(num1=4,num2=3):
return num1**2+num2**2
ret = squreep(,5)#在调用这个函数的时候没有填num1的值编译时会报错
print(ret)
=======================
line 5 ret = squreep(,5)#在调用这个函数的时候没有填num2的值
^
SyntaxError: invalid syntax
ret=squreep(num2=5)追问
那参数一呢?
运行完还是报错的。
def squreep(num1=4,num2=3):
return num1**2+num2**2
ret = squreep(num2=5)
print(ret)
=====================
return num1**2+num2**2
^
IndentationError: expected an indented block
要缩进
这样调用,参数1就是用缺省值
追问能写一下范例吗?谢谢!
追答C++修炼之练气期第二层——缺省参数
目录
1.缺省参数的概念
缺省参数是声明或定义函数时为函数的参数指定一个缺省值。
在调用该函数时,如果没有指定实参则采用该形参的缺省值,否则使用指定的实参。
#include <iostream>
using namespace std;
void F(int a = 0)
cout << "a = " << a << endl;
int main()
F();//未指定实参,使用参数的默认值
F(10);//传参时,使用指定的实参
return 0;
2.缺省参数的分类
全缺省参数
void F(int a = 10, int b = 20, int c = 30)
cout << "a = " << a << endl;
cout << "b = " << b << endl;
cout << "c = " << c << endl;
cout << endl;
int main()
F(100);
F(100, 200);
F(100, 200,300);
//传参时,必须从左往右依次给
//错误示例:
//F(100, ,300);
return 0;
半缺省参数
void F(int a , int b , int c = 30)
cout << "a = " << a << endl;
cout << "b = " << b << endl;
cout << "c = " << c << endl;
cout << endl;
int main()
F(100,200);
F(100, 200, 300);
return 0;
注意:
1. 半缺省参数必须从右往左依次来给出,不能间隔着给;
//错误示例
void F(int a=10, int b, int c = 30)
cout << "a = " << a << endl;
cout << "b = " << b << endl;
cout << "c = " << c << endl;
cout << endl;
2. 缺省参数不能在函数声明和定义中同时出现;
//错误示例
//test.cpp中定义
F(int a = 10);
//test.h中声明
F(int a = 20);
//编译器会报错
3. 缺省值必须是常量或者全局变量;
4. C语言不支持(编译器不支持);
实用场景示例
在之前数据结构的学习中,我们经常用到某个函数给来实现对某种数据结构的初始化(以栈为例);
struct Stack
int* a;
int top;
int capacity;
;
void StackInit(struct Stack* ps)
int capacity = ps->capacity == 0 ? 4 : ps->capacity * 2;
ps->a = (int*)malloc(sizeof(int) * capacity);
if (ps->a == NULL)
perror("malloc fail");
return;
//...
这样的写法有一个缺点,不管我们需要多大的空间,每次调用初始化函数时第一次都只能开辟4的空间,看着很呆板。
但是运用缺省参数改进后:
void StackInit(struct Stack* ps, int defaultcapacity=4)
ps->a = (int*)malloc(sizeof(int) * defaultcapacity);
if (ps->a == NULL)
perror("malloc fail");
return;
//...
当我们想指定开辟多大空间时只需要多传一个参数就可以了,否则默认为4。
当然除了这样的使用场景,缺省参数可以运用于很多很多场景,使得代码灵活性更高!
以上是关于python 自定义函数第一个参数设缺省值时怎么调用?的主要内容,如果未能解决你的问题,请参考以下文章