File: LazyMemStream.cpp

package info (click to toggle)
storm-lang 0.7.5-1
  • links: PTS, VCS
  • area: main
  • in suites: forky
  • size: 52,028 kB
  • sloc: ansic: 261,471; cpp: 140,432; sh: 14,891; perl: 9,846; python: 2,525; lisp: 2,504; asm: 860; makefile: 678; pascal: 70; java: 52; xml: 37; awk: 12
file content (97 lines) | stat: -rw-r--r-- 2,140 bytes parent folder | download | duplicates (2)
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
#include "stdafx.h"
#include "LazyMemStream.h"
#include "CloneEnv.h"

namespace storm {

	LazyMemIStream::LazyMemIStream(IStream *src) {
		data = buffer(engine(), 1024);
	}

	LazyMemIStream::LazyMemIStream(const LazyMemIStream &o) : data(o.data) {}

	void LazyMemIStream::deepCopy(CloneEnv *env) {
		src = clone(src, env);
		// We never change the data, so no need to clone it!
	}

	Bool LazyMemIStream::more() {
		return pos < data.count() || src->more();
	}

	Buffer LazyMemIStream::read(Buffer to) {
		Nat start = to.filled();
		to = peek(to);
		pos += to.filled() - start;
		return to;
	}

	Buffer LazyMemIStream::peek(Buffer to) {
		if (pos >= data.filled())
			fill();

		Nat start = to.filled();
		Nat copy = min(to.count() - start, data.filled() - pos);
		memcpy(to.dataPtr() + start, data.dataPtr() + pos, copy);
		to.filled(copy + start);
		return to;
	}

	void LazyMemIStream::seek(Word to) {
		Nat npos = Nat(to);

		// Read data until we have the requested address, or until nothing remains of the source stream.
		while (npos > data.filled() && src->more())
			fill();

		// Clip so that we're not outside the allowed region.
		pos = min(npos, data.filled());
	}

	Word LazyMemIStream::tell() {
		return pos;
	}

	Word LazyMemIStream::length() {
		// This is the best we can do.
		return data.filled();
	}

	RIStream *LazyMemIStream::randomAccess() {
		return this;
	}

	void LazyMemIStream::toS(StrBuf *to) const {
		data.outputMark(to, pos);
	}

	void LazyMemIStream::fill() {
		if (!src->more())
			return;

		if (data.full()) {
			// Stop doubling after this size (currently 1 MB)
			const Nat cutoff = 1 * 1024 * 1024;

			// Grow the buffer.
			Nat newSize;
			if (data.count() < cutoff) {
				newSize = data.count() * 2;
			} else {
				newSize = data.count() + cutoff;
			}

			Buffer n = buffer(engine(), newSize);
			n.filled(data.count());

			// Copy the old data.
			memcpy(n.dataPtr(), data.dataPtr(), data.count());
			data = n;
		}

		// Try to read as much as possible. Since we have memory, we might as well use it!
		// The "read" operation will not necessarily fill up the buffer.
		src->read(data);
	}

}