-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathbyte_stream.cc
89 lines (69 loc) · 2.72 KB
/
byte_stream.cc
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
/*
* @Descripttion:
* @version:
* @Author: xp.Zhang
* @Date: 2023-07-12 15:22:53
* @LastEditors: xp.Zhang
* @LastEditTime: 2023-09-15 11:27:21
*/
#include "byte_stream.hh"
#include <algorithm>
#include <iterator>
#include <stdexcept>
// Dummy implementation of a flow-controlled in-memory byte stream.
// For Lab 0, please replace with a real implementation that passes the
// automated checks run by `make check_lab0`.
// You will need to add private members to the class declaration in `byte_stream.hh`
template <typename... Targs>
void DUMMY_CODE(Targs &&... /* unused */) {}
using namespace std;
//构造函数使用了成员初始化变量_capacity,避免了在函数体中对成员变量进行赋值的额外开销,同时更加清晰的表达了成员变量的初始化过程
ByteStream::ByteStream(const size_t capacity) : _capacity(capacity) {}
size_t ByteStream::write(const string &data) {
size_t len = data.size();
if (len > _capacity - _buffer.size()) { //写入数据长度大于缓冲区剩余容量
len = _capacity - _buffer.size();
}
_writeCount += len;
for (size_t i = 0; i < len; ++i) {
_buffer.push_back(data[i]);
}
return len;
}
// //! \param[in] len bytes will be copied from the output side of the buffer
// // peek_output函数使用了const关键字修饰,因此它是一个常量成员函数。这意味着在调用该函数时,它不能修改ByteStream对象的状态,即不能修改任何成员变量的值
// //查看队列前端len个元素
string ByteStream::peek_output(const size_t len) const {
size_t length = len;
if (length > _buffer.size())
length = _buffer.size();
return string().assign(_buffer.begin(), _buffer.begin() + length);
}
//! \param[in] len bytes will be removed from the output side of the buffer
//
void ByteStream::pop_output(const size_t len) {
if (!_buffer.empty()) {
size_t length = len;
if (length > _buffer.size()) {
length = _buffer.size();
}
_readCount += length;
for (size_t i = 0; i < length; ++i) {
_buffer.pop_front();
}
}
return;
}
void ByteStream::end_input() { _endInput_flag = true; }
bool ByteStream::input_ended() const { return {_endInput_flag}; }
size_t ByteStream::buffer_size() const { return {_buffer.size()}; }
bool ByteStream::buffer_empty() const { return _buffer.size() == 0; }
bool ByteStream::eof() const {
if (buffer_empty() && input_ended())
return true;
else
return false;
}
size_t ByteStream::bytes_written() const { return {_writeCount}; }
size_t ByteStream::bytes_read() const { return {_readCount}; }
size_t ByteStream::remaining_capacity() const { return {_capacity - buffer_size()}; }