iOS开发常用数学函数

来源:互联网 发布:系统的分析优化ppt 编辑:程序博客网 时间:2024/05/17 22:41

1、 三角函数 
double sin (double); 正弦 
double cos (double);余弦 
double tan (double);正切 

2 、反三角函数  
double asin (double); 结果介于[-PI/2, PI/2] 
double acos (double); 结果介于[0, PI] 
double atan (double); 反正切(主值), 结果介于[-PI/2, PI/2] 
double atan2 (double, double); 反正切(整圆值), 结果介于[-PI, PI] 

3 、双曲三角函数 
double sinh (double); 
double cosh (double); 
double tanh (double); 

4 、指数与对数  
double exp (double);求取自然数e的幂 
double sqrt (double);开平方 
double log (double); 以e为底的对数 
double log10 (double);以10为底的对数 
double pow(double x, double y);计算以x为底数的y次幂 
float powf(float x, float y); 功能与pow一致,只是输入与输出皆为浮点数 

5 、取整  
double ceil (double); 取上整 
double floor (double); 取下整 

6 、绝对值  
double fabs (double);求绝对值 
double cabs(struct complex znum) ;求复数的绝对值 

7 、标准化浮点数 
double frexp (double f, int *p); 标准化浮点数, f = x * 2^p, 已知f求x, p ( x介于[0.5, 1] ) 
double ldexp (double x, int p); 与frexp相反, 已知x, p求f 

8 、取整与取余  
double modf (double, double*); 将参数的整数部分通过指针回传, 返回小数部分 
double fmod (double, double); 返回两参数相除的余数 

9 、其他 
double hypot(double x, double y);已知直角三角形两个直角边长度,求斜边长度 
double ldexp(double x, int exponent);计算x*(2的exponent次幂) 
double poly(double x, int degree, double coeffs [] );计算多项式 
nt matherr(struct exception *e);数学错误计算处理程序

ios 三种随机数方法

 

ios 有如下三种随机数方法:

1.    srand((unsigned)time(0));  //不加这句每次产生的随机数不变
        int i = rand() % 5;      

2.    srandom(time(0));
        int i = random() % 5;

3.    int i = arc4random() % 5 ;

 注:rand()和random()实际并不是一个真正的伪随机数发生器,在使用之前需要先初始化随机种子,否则每次生成的随机数一样。

arc4random() 是一个真正的伪随机算法,不需要生成随机种子,因为第一次调用的时候就会自动生成。而且范围是rand()的两倍。在iPhone中,RAND_MAX是0x7fffffff (2147483647),而arc4random()返回的最大值则是 0x100000000 (4294967296)。

精确度比较:arc4random()  >  random()  >  rand()。

 常用方法:arc4random

 

1、获取一个随机整数范围在:[0,100)包括0,不包括100

int x = arc4random() % 100;

2、  获取一个随机数范围在:[500,1000],包括500,包括1000

int y = (arc4random() % 501) + 500;

3、获取一个随机整数,范围在[from,to],包括from,包括to

-(int)getRandomNumber:(int)from to:(int)to

{

    return (int)(from + (arc4random() % (to – from + 1)));

}

0 0