C语言删除数组指定元素的源代码如下:
#include
main()
{
char s[80],c;
int j,k;
printf("\nEnter a string: ");
gets(s);
printf("\nEnter a character: ");
c=getchar( );
for(j=k=0;s[j]!= '\0';j++)
if(s[j]!=c)
s[k++]=s[j];
s[k]= '\0';
printf("\n%s\n",s);
system("pause");
}
扩展资料
自定义函数代码如下
function delarrayval2($arr,$v){
$keyarr = array_keys($arr, $v);
if(count($keyarr)){
foreach ($keyarr as $key) {
unset($arr[$key]);
}
}
return $arr;
}
del函数的作用是删除数组a中的指定元素x,n为数组a的元素个数。函数的返回值,为删除元素后的有效元素个数(数组中可能有重复元素)。
函数的原型为:
int del (int a[10],int n,int x)
(1)请实现这个函数,并完成测试。
[参考解答]
[cpp] view plain copy
#include
int del(int a[],int n, int x);
int main( )
{
int a[20]= {86,76,62,58,77,85,92,80,96,88,77,67,80,68,78,87,64,59,61,76};
int i, n;
n = del(a, 20, 77);
printf("剩余 %d 个:\n", n);
for(i=0; i
printf("%d ", a[i]);
printf("\n");
return 0;
}
int del(int a[],int n, int x) //删除长度为n的a数组中值为x的元素
{
int p=0, q=0; //用p和q两个变量
while (q
{
if(a[q]!=x) //只有当元素值不等于x才往p标识的位置上“搬”
{
a[p]=a[q];
p++;
}
q++;
} //最后的效果,等于x的元素都没有“搬”过来,它们被“覆盖”了,也即被删除了
return p; //p代表的,就是删除后的元素个数
}
[参考解答]
[cpp] view plain copy
#include
int del(int a[],int n, int x);
int main( )
{
int a[20]= {58, 59, 61, 62, 64, 67, 68, 76, 77, 77, 77, 80, 80, 85, 86, 87, 88, 88, 92, 96};
int i, n;
n = del(a, 20, 77);
printf("剩余 %d 个:\n", n);
for(i=0; i
printf("%d ", a[i]);
printf("\n");
return 0;
}
int del(int a[],int n, int x) //删除长度为n的a数组中值为x的元素
{
int p=0, q;
while (a[p]
p++;
q=p; //阶段②:p将标记住这个待删除的位置
while(a[q]==x && q
q++;
while(q
a[p++]=a[q++]; //阶段③:将要保留的元素,直接“覆盖”到p标记住的位置,逐个赋值,结果就是将等于x的元素删除了
return p; //p代表的,就是删除后的元素个数
}