aboutsummaryrefslogtreecommitdiff
path: root/Minecraft.World/ByteArrayOutputStream.cpp
blob: 9296fe5eadc6af7e7e857102cb987d1d5594db59 (plain)
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
#include "stdafx.h"

#include "ByteArrayOutputStream.h"

// Creates a new byte array output stream. The buffer capacity is initially 32 bytes, though its size increases if necessary.
ByteArrayOutputStream::ByteArrayOutputStream()
{
	count = 0;
	buf = byteArray( 32 );
}

//Creates a new byte array output stream, with a buffer capacity of the specified size, in bytes.
//Parameters:
//size - the initial size.
ByteArrayOutputStream::ByteArrayOutputStream(unsigned int size)
{
	count = 0;
	buf = byteArray( size );
}

ByteArrayOutputStream::~ByteArrayOutputStream()
{
	if (buf.data != NULL)
		delete[] buf.data;
}

//Writes the specified byte to this byte array output stream.
//Parameters:
//b - the byte to be written.
void ByteArrayOutputStream::write(unsigned int b)
{
	// If we will fill the buffer we need to make it bigger
	if( count + 1 >=  buf.length )
		buf.resize( buf.length * 2 );

	buf[count] = (byte) b;
	count++;
}

// Writes b.length bytes from the specified byte array to this output stream.
//The general contract for write(b) is that it should have exactly the same effect as the call write(b, 0, b.length).
void ByteArrayOutputStream::write(byteArray b)
{
	write(b, 0, b.length);
}

//Writes len bytes from the specified byte array starting at offset off to this byte array output stream.
//Parameters:
//b - the data.
//off - the start offset in the data.
//len - the number of bytes to write.
void ByteArrayOutputStream::write(byteArray b, unsigned int offset, unsigned int length)
{
	assert( b.length >= offset + length );

	// If we will fill the buffer we need to make it bigger
	if( count + length >=  buf.length )
		buf.resize( max( count + length + 1, buf.length * 2 ) );

	XMemCpy( &buf[count], &b[offset], length );
	//std::copy( b->data+offset, b->data+offset+length, buf->data + count ); // Or this instead?

	count += length;
}

//Closing a ByteArrayOutputStream has no effect.
//The methods in this class can be called after the stream has been closed without generating an IOException.
void ByteArrayOutputStream::close()
{
}

//Creates a newly allocated byte array. Its size is the current size of this output stream and the valid contents of the buffer have been copied into it.
//Returns:
//the current contents of this output stream, as a byte array.
byteArray ByteArrayOutputStream::toByteArray()
{
	byteArray out(count);
	memcpy(out.data,buf.data,count);
	return out;
}