转http://blog.csdn.net/bcypxl/article/details/12278125
在面试中面试官常常让我们写几个小的程序,以此来考察我们的编程内功。所以在准备面试的过程中在纸上练习着写一些程序是很有必要的。
下面是在面试中常考的几个题,出现频率非常之高!!!!
1、完整正确的写出二分查找的算法
[cpp] view plain copy print ?
- int binary_search(int arr[],int n,int key)
- {
- assert(arr!=NULL && n>0);
- int left=0;
- int right=n-1;
- int mid=0;
- while(left<=right)
- {
- mid = left + ((right-left)>>1);
- if(arr[mid]<key)
- left=mid+1;
- else if(arr[mid]>key)
- right=mid-1;
- else
- return mid;
- }
- return -1;
- }
程序中要注意的地方:
//right=n-1 => while(left <= right) => right=middle-1;
//right=n => while(left < right) => right=middle;
middle= (left+right)>>1; 这样的话 left 与 right 的值比较大的时候,其和可能溢出。
2、写出你认为效率高且常用的一种排序算法(快速排序、归并排序)
[cpp] view plain copy print ?
- void QSort(int arr[],int low,int high)
- {
- int pivot;
- while(low<high)
- {
- pivot=Partition(arr,low,high);
- QSort(arr,low,pivot-1);
- low=pivot+1;
- }
- }
-
- int Partition(int arr[],int low,int high)
- {
- assert(arr!=NULL && low<high);
- int pivotkey=arr[low];
- while(low<high)
- {
- while(low<high && arr[high]>=pivotkey)
- high--;
- arr[low]=arr[high];
- while(low<high && arr[low]<=pivotkey)
- low++;
- arr[high]=arr[low];
- }
- arr[low]=pivotkey;
- return low;
- }
-
-
- int m = low+((high-low)>>1);
- if(arr[low]>arr[high])
- swap(arr[low],arr[high]);
- if(arr[m]>arr[high])
- swap(arr[m],arr[high]);
- if(arr[m]>arr[low])
- swap(arr[m],arr[low]);
3、反转链表
[cpp] view plain copy print ?
- struct ListNode
- {
- int m_nValue;
- ListNode* m_pNext;
- };
-
- ListNode *ReverseList(ListNode *pHead)
- {
- assert(pHead!=NULL);
- ListNode *pReversedList = NULL;
- ListNode *pNode = pHead;
- ListNode *pPrev = NULL;
- while(pNode!=NULL)
- {
- ListNode *pNext = pNode->m_pNext;
- if(pNext == NULL)
- pReversedList = pNode;
- pNode->m_pNext = pPrev;
- pPrev = pNode;
- pNode = pNext;
- }
- return pReversedList;
- }
4、题目描述:
要求实现库函数 strcpy,
原型声明:extern char *strcpy(char *dest,char *src);
功能:把 src 所指由 NULL 结束的字符串复制到 dest 所指的数组中。
说明: src 和 dest 所指内存区域不可以重叠且 dest 必须有足够的空间来容纳 src 的字符串。
返回指向 dest 的指针。
[cpp] view plain copy print ?
- <PRE class=cpp name="code">
-
- char * strcpy( char *strDest, const char *strSrc )
- {
- if(strDest == strSrc)
- { return strDest; }
- assert( (strDest != NULL) && (strSrc != NULL) );
- char *address = strDest;
- while( (*strDest++ = * strSrc++) != '\0');
- return address;
- }
-
- 类似的我们还可以写出strlen函数的完美版本
- int strlen( const char *str )
- {
- assert( strt != NULL );
- int len;
- while( (*str++) != '\0' )
- {
- len++;
- }
- return len;
- }</PRE><BR><BR>