forked from dotnet/runtime
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathdynamicarray.h
108 lines (94 loc) · 2.4 KB
/
dynamicarray.h
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
// Licensed to the .NET Foundation under one or more agreements.
// The .NET Foundation licenses this file to you under the MIT license.
#ifndef DYNAMICARRAY_H
#define DYNAMICARRAY_H
#include "memory.h"
const int START_SIZE = 24 ;
const int MIN_SIZE = 8 ;
template <class T>
class DynamicArray
{
public:
DynamicArray(int iSize = START_SIZE) ;
~DynamicArray() ;
T& operator[](int i) ;
bool Error() ;
private:
T* m_pArray ;
int m_iMemSize ;
int m_iArraySize ;
bool m_bError ;
};
/************************************************************************
* *
* Default constructor. User has option to pass in the size of the *
* initial array. *
* *
************************************************************************/
template<class T> DynamicArray<T>::DynamicArray(int iSize)
{
if( iSize < MIN_SIZE )
{
iSize = MIN_SIZE ;
}
m_pArray = new T[iSize] ;
m_iMemSize = iSize ;
m_iArraySize = 0 ;
m_bError = false ;
}
/************************************************************************
* *
* Destructor. All it really has to do is delete the array. *
* *
************************************************************************/
template<class T> DynamicArray<T>::~DynamicArray()
{
if( m_pArray )
{
delete [] m_pArray ;
}
}
/************************************************************************
* *
* operator [] to work on the left or right side of the equation. *
* *
************************************************************************/
template<class T> T& DynamicArray<T>::operator [](int iIndex)
{
if( iIndex < 0 )
{
// Error, set error value to true and return the first element of the array
m_bError = true ;
return m_pArray[0] ;
}
else if ( iIndex >= m_iArraySize )
{
if( iIndex >= m_iMemSize )
{
int iNewSize ;
if( iIndex >= m_iMemSize * 2 )
{
iNewSize = iIndex + 1 ;
}
else
{
iNewSize = m_iMemSize * 2 ;
}
// We need to allocate more memory
T* pTmp = new T[iNewSize] ;
memcpy(pTmp, m_pArray, m_iMemSize * sizeof(T)) ;
delete [] m_pArray ;
m_pArray = pTmp ;
// Record the new memory size
m_iMemSize = iNewSize ;
}
//ZeroMemory(&m_pArray[iIndex], sizeof(T)) ;
++m_iArraySize ;
}
return m_pArray[iIndex] ;
}
template<class T> bool DynamicArray<T>::Error()
{
return m_bError ;
}
#endif