packet.hh (6768:c5401cb99aae) packet.hh (7006:77c9c4d5007d)
1/*
2 * Copyright (c) 2006 The Regents of The University of Michigan
3 * All rights reserved.
4 *
5 * Redistribution and use in source and binary forms, with or without
6 * modification, are permitted provided that the following conditions are
7 * met: redistributions of source code must retain the above copyright
8 * notice, this list of conditions and the following disclaimer;
9 * redistributions in binary form must reproduce the above copyright
10 * notice, this list of conditions and the following disclaimer in the
11 * documentation and/or other materials provided with the distribution;
12 * neither the name of the copyright holders nor the names of its
13 * contributors may be used to endorse or promote products derived from
14 * this software without specific prior written permission.
15 *
16 * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
17 * "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
18 * LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
19 * A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
20 * OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
21 * SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
22 * LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
23 * DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
24 * THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
25 * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
26 * OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
27 *
28 * Authors: Ron Dreslinski
29 * Steve Reinhardt
30 * Ali Saidi
31 */
32
33/**
34 * @file
35 * Declaration of the Packet class.
36 */
37
38#ifndef __MEM_PACKET_HH__
39#define __MEM_PACKET_HH__
40
41#include <cassert>
42#include <list>
43#include <bitset>
44
45#include "base/cast.hh"
46#include "base/compiler.hh"
47#include "base/fast_alloc.hh"
48#include "base/flags.hh"
49#include "base/misc.hh"
50#include "base/printable.hh"
51#include "base/types.hh"
52#include "mem/request.hh"
53#include "sim/core.hh"
54
55struct Packet;
56typedef Packet *PacketPtr;
57typedef uint8_t* PacketDataPtr;
58typedef std::list<PacketPtr> PacketList;
59
60class MemCmd
61{
62 friend class Packet;
63
64 public:
65 /**
66 * List of all commands associated with a packet.
67 */
68 enum Command
69 {
70 InvalidCmd,
71 ReadReq,
72 ReadResp,
73 ReadRespWithInvalidate,
74 WriteReq,
75 WriteResp,
76 Writeback,
77 SoftPFReq,
78 HardPFReq,
79 SoftPFResp,
80 HardPFResp,
81 WriteInvalidateReq,
82 WriteInvalidateResp,
83 UpgradeReq,
84 UpgradeResp,
85 ReadExReq,
86 ReadExResp,
87 LoadLockedReq,
88 StoreCondReq,
89 StoreCondResp,
90 SwapReq,
91 SwapResp,
92 MessageReq,
93 MessageResp,
94 // Error responses
95 // @TODO these should be classified as responses rather than
96 // requests; coding them as requests initially for backwards
97 // compatibility
98 NetworkNackError, // nacked at network layer (not by protocol)
99 InvalidDestError, // packet dest field invalid
100 BadAddressError, // memory address invalid
101 // Fake simulator-only commands
102 PrintReq, // Print state matching address
103 NUM_MEM_CMDS
104 };
105
106 private:
107 /**
108 * List of command attributes.
109 */
110 enum Attribute
111 {
112 IsRead, //!< Data flows from responder to requester
113 IsWrite, //!< Data flows from requester to responder
114 IsPrefetch, //!< Not a demand access
115 IsInvalidate,
116 NeedsExclusive, //!< Requires exclusive copy to complete in-cache
117 IsRequest, //!< Issued by requester
118 IsResponse, //!< Issue by responder
119 NeedsResponse, //!< Requester needs response from target
120 IsSWPrefetch,
121 IsHWPrefetch,
122 IsLlsc, //!< Alpha/MIPS LL or SC access
123 HasData, //!< There is an associated payload
124 IsError, //!< Error response
125 IsPrint, //!< Print state matching address (for debugging)
126 NUM_COMMAND_ATTRIBUTES
127 };
128
129 /**
130 * Structure that defines attributes and other data associated
131 * with a Command.
132 */
133 struct CommandInfo
134 {
135 /// Set of attribute flags.
136 const std::bitset<NUM_COMMAND_ATTRIBUTES> attributes;
137 /// Corresponding response for requests; InvalidCmd if no
138 /// response is applicable.
139 const Command response;
140 /// String representation (for printing)
141 const std::string str;
142 };
143
144 /// Array to map Command enum to associated info.
145 static const CommandInfo commandInfo[];
146
147 private:
148
149 Command cmd;
150
151 bool
152 testCmdAttrib(MemCmd::Attribute attrib) const
153 {
154 return commandInfo[cmd].attributes[attrib] != 0;
155 }
156
157 public:
158
159 bool isRead() const { return testCmdAttrib(IsRead); }
160 bool isWrite() const { return testCmdAttrib(IsWrite); }
161 bool isRequest() const { return testCmdAttrib(IsRequest); }
162 bool isResponse() const { return testCmdAttrib(IsResponse); }
163 bool needsExclusive() const { return testCmdAttrib(NeedsExclusive); }
164 bool needsResponse() const { return testCmdAttrib(NeedsResponse); }
165 bool isInvalidate() const { return testCmdAttrib(IsInvalidate); }
166 bool hasData() const { return testCmdAttrib(HasData); }
167 bool isReadWrite() const { return isRead() && isWrite(); }
168 bool isLLSC() const { return testCmdAttrib(IsLlsc); }
169 bool isError() const { return testCmdAttrib(IsError); }
170 bool isPrint() const { return testCmdAttrib(IsPrint); }
171
172 const Command
173 responseCommand() const
174 {
175 return commandInfo[cmd].response;
176 }
177
178 /// Return the string to a cmd given by idx.
179 const std::string &toString() const { return commandInfo[cmd].str; }
180 int toInt() const { return (int)cmd; }
181
182 MemCmd(Command _cmd) : cmd(_cmd) { }
183 MemCmd(int _cmd) : cmd((Command)_cmd) { }
184 MemCmd() : cmd(InvalidCmd) { }
185
186 bool operator==(MemCmd c2) const { return (cmd == c2.cmd); }
187 bool operator!=(MemCmd c2) const { return (cmd != c2.cmd); }
188};
189
190/**
191 * A Packet is used to encapsulate a transfer between two objects in
192 * the memory system (e.g., the L1 and L2 cache). (In contrast, a
193 * single Request travels all the way from the requester to the
194 * ultimate destination and back, possibly being conveyed by several
195 * different Packets along the way.)
196 */
197class Packet : public FastAlloc, public Printable
198{
199 public:
200 typedef uint32_t FlagsType;
201 typedef ::Flags<FlagsType> Flags;
202 typedef short NodeID;
203
204 private:
205 static const FlagsType PUBLIC_FLAGS = 0x00000000;
206 static const FlagsType PRIVATE_FLAGS = 0x00007F0F;
207 static const FlagsType COPY_FLAGS = 0x0000000F;
208
209 static const FlagsType SHARED = 0x00000001;
210 // Special control flags
211 /// Special timing-mode atomic snoop for multi-level coherence.
212 static const FlagsType EXPRESS_SNOOP = 0x00000002;
213 /// Does supplier have exclusive copy?
214 /// Useful for multi-level coherence.
215 static const FlagsType SUPPLY_EXCLUSIVE = 0x00000004;
216 // Snoop response flags
217 static const FlagsType MEM_INHIBIT = 0x00000008;
218 /// Are the 'addr' and 'size' fields valid?
219 static const FlagsType VALID_ADDR = 0x00000100;
220 static const FlagsType VALID_SIZE = 0x00000200;
221 /// Is the 'src' field valid?
222 static const FlagsType VALID_SRC = 0x00000400;
223 static const FlagsType VALID_DST = 0x00000800;
224 /// Is the data pointer set to a value that shouldn't be freed
225 /// when the packet is destroyed?
226 static const FlagsType STATIC_DATA = 0x00001000;
227 /// The data pointer points to a value that should be freed when
228 /// the packet is destroyed.
229 static const FlagsType DYNAMIC_DATA = 0x00002000;
230 /// the data pointer points to an array (thus delete []) needs to
231 /// be called on it rather than simply delete.
232 static const FlagsType ARRAY_DATA = 0x00004000;
233
234 Flags flags;
235
236 public:
237 typedef MemCmd::Command Command;
238
239 /// The command field of the packet.
240 MemCmd cmd;
241
242 /// A pointer to the original request.
243 RequestPtr req;
244
245 private:
246 /**
247 * A pointer to the data being transfered. It can be differnt
248 * sizes at each level of the heirarchy so it belongs in the
249 * packet, not request. This may or may not be populated when a
250 * responder recieves the packet. If not populated it memory should
251 * be allocated.
252 */
253 PacketDataPtr data;
254
255 /// The address of the request. This address could be virtual or
256 /// physical, depending on the system configuration.
257 Addr addr;
258
259 /// The size of the request or transfer.
260 unsigned size;
261
262 /**
263 * Device address (e.g., bus ID) of the source of the
264 * transaction. The source is not responsible for setting this
265 * field; it is set implicitly by the interconnect when the packet
266 * is first sent.
267 */
268 NodeID src;
269
270 /**
271 * Device address (e.g., bus ID) of the destination of the
272 * transaction. The special value Broadcast indicates that the
273 * packet should be routed based on its address. This field is
274 * initialized in the constructor and is thus always valid (unlike
275 * addr, size, and src).
276 */
277 NodeID dest;
278
279 /**
280 * The original value of the command field. Only valid when the
281 * current command field is an error condition; in that case, the
282 * previous contents of the command field are copied here. This
283 * field is *not* set on non-error responses.
284 */
285 MemCmd origCmd;
286
287 public:
288 /// Used to calculate latencies for each packet.
289 Tick time;
290
291 /// The time at which the packet will be fully transmitted
292 Tick finishTime;
293
294 /// The time at which the first chunk of the packet will be transmitted
295 Tick firstWordTime;
296
297 /// The special destination address indicating that the packet
298 /// should be routed based on its address.
299 static const NodeID Broadcast = -1;
300
301 /**
302 * A virtual base opaque structure used to hold state associated
303 * with the packet but specific to the sending device (e.g., an
304 * MSHR). A pointer to this state is returned in the packet's
305 * response so that the sender can quickly look up the state
306 * needed to process it. A specific subclass would be derived
307 * from this to carry state specific to a particular sending
308 * device.
309 */
310 struct SenderState
311 {
312 virtual ~SenderState() {}
313 };
314
315 /**
316 * Object used to maintain state of a PrintReq. The senderState
317 * field of a PrintReq should always be of this type.
318 */
319 class PrintReqState : public SenderState, public FastAlloc
320 {
321 private:
322 /**
323 * An entry in the label stack.
324 */
325 struct LabelStackEntry
326 {
327 const std::string label;
328 std::string *prefix;
329 bool labelPrinted;
330 LabelStackEntry(const std::string &_label, std::string *_prefix);
331 };
332
333 typedef std::list<LabelStackEntry> LabelStack;
334 LabelStack labelStack;
335
336 std::string *curPrefixPtr;
337
338 public:
339 std::ostream &os;
340 const int verbosity;
341
342 PrintReqState(std::ostream &os, int verbosity = 0);
343 ~PrintReqState();
344
345 /**
346 * Returns the current line prefix.
347 */
348 const std::string &curPrefix() { return *curPrefixPtr; }
349
350 /**
351 * Push a label onto the label stack, and prepend the given
352 * prefix string onto the current prefix. Labels will only be
353 * printed if an object within the label's scope is printed.
354 */
355 void pushLabel(const std::string &lbl,
356 const std::string &prefix = " ");
357
358 /**
359 * Pop a label off the label stack.
360 */
361 void popLabel();
362
363 /**
364 * Print all of the pending unprinted labels on the
365 * stack. Called by printObj(), so normally not called by
366 * users unless bypassing printObj().
367 */
368 void printLabels();
369
370 /**
371 * Print a Printable object to os, because it matched the
372 * address on a PrintReq.
373 */
374 void printObj(Printable *obj);
375 };
376
377 /**
378 * This packet's sender state. Devices should use dynamic_cast<>
379 * to cast to the state appropriate to the sender. The intent of
380 * this variable is to allow a device to attach extra information
381 * to a request. A response packet must return the sender state
382 * that was attached to the original request (even if a new packet
383 * is created).
384 */
385 SenderState *senderState;
386
387 /// Return the string name of the cmd field (for debugging and
388 /// tracing).
389 const std::string &cmdString() const { return cmd.toString(); }
390
391 /// Return the index of this command.
392 inline int cmdToIndex() const { return cmd.toInt(); }
393
394 bool isRead() const { return cmd.isRead(); }
395 bool isWrite() const { return cmd.isWrite(); }
396 bool isRequest() const { return cmd.isRequest(); }
397 bool isResponse() const { return cmd.isResponse(); }
398 bool needsExclusive() const { return cmd.needsExclusive(); }
399 bool needsResponse() const { return cmd.needsResponse(); }
400 bool isInvalidate() const { return cmd.isInvalidate(); }
401 bool hasData() const { return cmd.hasData(); }
402 bool isReadWrite() const { return cmd.isReadWrite(); }
403 bool isLLSC() const { return cmd.isLLSC(); }
404 bool isError() const { return cmd.isError(); }
405 bool isPrint() const { return cmd.isPrint(); }
406
407 // Snoop flags
408 void assertMemInhibit() { flags.set(MEM_INHIBIT); }
409 bool memInhibitAsserted() { return flags.isSet(MEM_INHIBIT); }
410 void assertShared() { flags.set(SHARED); }
411 bool sharedAsserted() { return flags.isSet(SHARED); }
412
413 // Special control flags
414 void setExpressSnoop() { flags.set(EXPRESS_SNOOP); }
415 bool isExpressSnoop() { return flags.isSet(EXPRESS_SNOOP); }
416 void setSupplyExclusive() { flags.set(SUPPLY_EXCLUSIVE); }
417 bool isSupplyExclusive() { return flags.isSet(SUPPLY_EXCLUSIVE); }
418
419 // Network error conditions... encapsulate them as methods since
420 // their encoding keeps changing (from result field to command
421 // field, etc.)
422 void
423 setNacked()
424 {
425 assert(isResponse());
426 cmd = MemCmd::NetworkNackError;
427 }
428
429 void
430 setBadAddress()
431 {
432 assert(isResponse());
433 cmd = MemCmd::BadAddressError;
434 }
435
436 bool wasNacked() const { return cmd == MemCmd::NetworkNackError; }
437 bool hadBadAddress() const { return cmd == MemCmd::BadAddressError; }
438 void copyError(Packet *pkt) { assert(pkt->isError()); cmd = pkt->cmd; }
439
440 bool isSrcValid() { return flags.isSet(VALID_SRC); }
441 /// Accessor function to get the source index of the packet.
442 NodeID getSrc() const { assert(flags.isSet(VALID_SRC)); return src; }
443 /// Accessor function to set the source index of the packet.
444 void setSrc(NodeID _src) { src = _src; flags.set(VALID_SRC); }
445 /// Reset source field, e.g. to retransmit packet on different bus.
446 void clearSrc() { flags.clear(VALID_SRC); }
447
448 bool isDestValid() { return flags.isSet(VALID_DST); }
449 /// Accessor function for the destination index of the packet.
450 NodeID getDest() const { assert(flags.isSet(VALID_DST)); return dest; }
451 /// Accessor function to set the destination index of the packet.
452 void setDest(NodeID _dest) { dest = _dest; flags.set(VALID_DST); }
453
454 Addr getAddr() const { assert(flags.isSet(VALID_ADDR)); return addr; }
455 unsigned getSize() const { assert(flags.isSet(VALID_SIZE)); return size; }
456 Addr getOffset(int blkSize) const { return getAddr() & (Addr)(blkSize - 1); }
457
458 /**
459 * Constructor. Note that a Request object must be constructed
460 * first, but the Requests's physical address and size fields need
461 * not be valid. The command and destination addresses must be
462 * supplied.
463 */
464 Packet(Request *_req, MemCmd _cmd, NodeID _dest)
465 : flags(VALID_DST), cmd(_cmd), req(_req), data(NULL),
466 dest(_dest), time(curTick), senderState(NULL)
467 {
468 if (req->hasPaddr()) {
469 addr = req->getPaddr();
470 flags.set(VALID_ADDR);
471 }
472 if (req->hasSize()) {
473 size = req->getSize();
474 flags.set(VALID_SIZE);
475 }
476 }
477
478 /**
479 * Alternate constructor if you are trying to create a packet with
480 * a request that is for a whole block, not the address from the
481 * req. this allows for overriding the size/addr of the req.
482 */
483 Packet(Request *_req, MemCmd _cmd, NodeID _dest, int _blkSize)
484 : flags(VALID_DST), cmd(_cmd), req(_req), data(NULL),
485 dest(_dest), time(curTick), senderState(NULL)
486 {
487 if (req->hasPaddr()) {
488 addr = req->getPaddr() & ~(_blkSize - 1);
489 flags.set(VALID_ADDR);
490 }
491 size = _blkSize;
492 flags.set(VALID_SIZE);
493 }
494
495 /**
496 * Alternate constructor for copying a packet. Copy all fields
497 * *except* if the original packet's data was dynamic, don't copy
498 * that, as we can't guarantee that the new packet's lifetime is
499 * less than that of the original packet. In this case the new
500 * packet should allocate its own data.
501 */
502 Packet(Packet *pkt, bool clearFlags = false)
503 : cmd(pkt->cmd), req(pkt->req),
504 data(pkt->flags.isSet(STATIC_DATA) ? pkt->data : NULL),
505 addr(pkt->addr), size(pkt->size), src(pkt->src), dest(pkt->dest),
506 time(curTick), senderState(pkt->senderState)
507 {
508 if (!clearFlags)
509 flags.set(pkt->flags & COPY_FLAGS);
510
511 flags.set(pkt->flags & (VALID_ADDR|VALID_SIZE|VALID_SRC|VALID_DST));
512 flags.set(pkt->flags & STATIC_DATA);
513 }
514
515 /**
516 * clean up packet variables
517 */
518 ~Packet()
519 {
520 // If this is a request packet for which there's no response,
521 // delete the request object here, since the requester will
522 // never get the chance.
523 if (req && isRequest() && !needsResponse())
524 delete req;
525 deleteData();
526 }
527
528 /**
529 * Reinitialize packet address and size from the associated
530 * Request object, and reset other fields that may have been
531 * modified by a previous transaction. Typically called when a
532 * statically allocated Request/Packet pair is reused for multiple
533 * transactions.
534 */
535 void
536 reinitFromRequest()
537 {
538 assert(req->hasPaddr());
539 flags = 0;
540 addr = req->getPaddr();
541 size = req->getSize();
542 time = req->time();
543
544 flags.set(VALID_ADDR|VALID_SIZE);
545 deleteData();
546 }
547
548 /**
549 * Take a request packet and modify it in place to be suitable for
550 * returning as a response to that request. The source and
551 * destination fields are *not* modified, as is appropriate for
552 * atomic accesses.
553 */
554 void
555 makeResponse()
556 {
557 assert(needsResponse());
558 assert(isRequest());
559 origCmd = cmd;
560 cmd = cmd.responseCommand();
561
562 dest = src;
563 flags.set(VALID_DST, flags.isSet(VALID_SRC));
564 flags.clear(VALID_SRC);
565 }
566
567 void
568 makeAtomicResponse()
569 {
570 makeResponse();
571 }
572
573 void
574 makeTimingResponse()
575 {
576 makeResponse();
577 }
578
579 /**
580 * Take a request packet that has been returned as NACKED and
581 * modify it so that it can be sent out again. Only packets that
582 * need a response can be NACKED, so verify that that is true.
583 */
584 void
585 reinitNacked()
586 {
587 assert(wasNacked());
588 cmd = origCmd;
589 assert(needsResponse());
590 setDest(Broadcast);
591 }
592
1/*
2 * Copyright (c) 2006 The Regents of The University of Michigan
3 * All rights reserved.
4 *
5 * Redistribution and use in source and binary forms, with or without
6 * modification, are permitted provided that the following conditions are
7 * met: redistributions of source code must retain the above copyright
8 * notice, this list of conditions and the following disclaimer;
9 * redistributions in binary form must reproduce the above copyright
10 * notice, this list of conditions and the following disclaimer in the
11 * documentation and/or other materials provided with the distribution;
12 * neither the name of the copyright holders nor the names of its
13 * contributors may be used to endorse or promote products derived from
14 * this software without specific prior written permission.
15 *
16 * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
17 * "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
18 * LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
19 * A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
20 * OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
21 * SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
22 * LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
23 * DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
24 * THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
25 * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
26 * OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
27 *
28 * Authors: Ron Dreslinski
29 * Steve Reinhardt
30 * Ali Saidi
31 */
32
33/**
34 * @file
35 * Declaration of the Packet class.
36 */
37
38#ifndef __MEM_PACKET_HH__
39#define __MEM_PACKET_HH__
40
41#include <cassert>
42#include <list>
43#include <bitset>
44
45#include "base/cast.hh"
46#include "base/compiler.hh"
47#include "base/fast_alloc.hh"
48#include "base/flags.hh"
49#include "base/misc.hh"
50#include "base/printable.hh"
51#include "base/types.hh"
52#include "mem/request.hh"
53#include "sim/core.hh"
54
55struct Packet;
56typedef Packet *PacketPtr;
57typedef uint8_t* PacketDataPtr;
58typedef std::list<PacketPtr> PacketList;
59
60class MemCmd
61{
62 friend class Packet;
63
64 public:
65 /**
66 * List of all commands associated with a packet.
67 */
68 enum Command
69 {
70 InvalidCmd,
71 ReadReq,
72 ReadResp,
73 ReadRespWithInvalidate,
74 WriteReq,
75 WriteResp,
76 Writeback,
77 SoftPFReq,
78 HardPFReq,
79 SoftPFResp,
80 HardPFResp,
81 WriteInvalidateReq,
82 WriteInvalidateResp,
83 UpgradeReq,
84 UpgradeResp,
85 ReadExReq,
86 ReadExResp,
87 LoadLockedReq,
88 StoreCondReq,
89 StoreCondResp,
90 SwapReq,
91 SwapResp,
92 MessageReq,
93 MessageResp,
94 // Error responses
95 // @TODO these should be classified as responses rather than
96 // requests; coding them as requests initially for backwards
97 // compatibility
98 NetworkNackError, // nacked at network layer (not by protocol)
99 InvalidDestError, // packet dest field invalid
100 BadAddressError, // memory address invalid
101 // Fake simulator-only commands
102 PrintReq, // Print state matching address
103 NUM_MEM_CMDS
104 };
105
106 private:
107 /**
108 * List of command attributes.
109 */
110 enum Attribute
111 {
112 IsRead, //!< Data flows from responder to requester
113 IsWrite, //!< Data flows from requester to responder
114 IsPrefetch, //!< Not a demand access
115 IsInvalidate,
116 NeedsExclusive, //!< Requires exclusive copy to complete in-cache
117 IsRequest, //!< Issued by requester
118 IsResponse, //!< Issue by responder
119 NeedsResponse, //!< Requester needs response from target
120 IsSWPrefetch,
121 IsHWPrefetch,
122 IsLlsc, //!< Alpha/MIPS LL or SC access
123 HasData, //!< There is an associated payload
124 IsError, //!< Error response
125 IsPrint, //!< Print state matching address (for debugging)
126 NUM_COMMAND_ATTRIBUTES
127 };
128
129 /**
130 * Structure that defines attributes and other data associated
131 * with a Command.
132 */
133 struct CommandInfo
134 {
135 /// Set of attribute flags.
136 const std::bitset<NUM_COMMAND_ATTRIBUTES> attributes;
137 /// Corresponding response for requests; InvalidCmd if no
138 /// response is applicable.
139 const Command response;
140 /// String representation (for printing)
141 const std::string str;
142 };
143
144 /// Array to map Command enum to associated info.
145 static const CommandInfo commandInfo[];
146
147 private:
148
149 Command cmd;
150
151 bool
152 testCmdAttrib(MemCmd::Attribute attrib) const
153 {
154 return commandInfo[cmd].attributes[attrib] != 0;
155 }
156
157 public:
158
159 bool isRead() const { return testCmdAttrib(IsRead); }
160 bool isWrite() const { return testCmdAttrib(IsWrite); }
161 bool isRequest() const { return testCmdAttrib(IsRequest); }
162 bool isResponse() const { return testCmdAttrib(IsResponse); }
163 bool needsExclusive() const { return testCmdAttrib(NeedsExclusive); }
164 bool needsResponse() const { return testCmdAttrib(NeedsResponse); }
165 bool isInvalidate() const { return testCmdAttrib(IsInvalidate); }
166 bool hasData() const { return testCmdAttrib(HasData); }
167 bool isReadWrite() const { return isRead() && isWrite(); }
168 bool isLLSC() const { return testCmdAttrib(IsLlsc); }
169 bool isError() const { return testCmdAttrib(IsError); }
170 bool isPrint() const { return testCmdAttrib(IsPrint); }
171
172 const Command
173 responseCommand() const
174 {
175 return commandInfo[cmd].response;
176 }
177
178 /// Return the string to a cmd given by idx.
179 const std::string &toString() const { return commandInfo[cmd].str; }
180 int toInt() const { return (int)cmd; }
181
182 MemCmd(Command _cmd) : cmd(_cmd) { }
183 MemCmd(int _cmd) : cmd((Command)_cmd) { }
184 MemCmd() : cmd(InvalidCmd) { }
185
186 bool operator==(MemCmd c2) const { return (cmd == c2.cmd); }
187 bool operator!=(MemCmd c2) const { return (cmd != c2.cmd); }
188};
189
190/**
191 * A Packet is used to encapsulate a transfer between two objects in
192 * the memory system (e.g., the L1 and L2 cache). (In contrast, a
193 * single Request travels all the way from the requester to the
194 * ultimate destination and back, possibly being conveyed by several
195 * different Packets along the way.)
196 */
197class Packet : public FastAlloc, public Printable
198{
199 public:
200 typedef uint32_t FlagsType;
201 typedef ::Flags<FlagsType> Flags;
202 typedef short NodeID;
203
204 private:
205 static const FlagsType PUBLIC_FLAGS = 0x00000000;
206 static const FlagsType PRIVATE_FLAGS = 0x00007F0F;
207 static const FlagsType COPY_FLAGS = 0x0000000F;
208
209 static const FlagsType SHARED = 0x00000001;
210 // Special control flags
211 /// Special timing-mode atomic snoop for multi-level coherence.
212 static const FlagsType EXPRESS_SNOOP = 0x00000002;
213 /// Does supplier have exclusive copy?
214 /// Useful for multi-level coherence.
215 static const FlagsType SUPPLY_EXCLUSIVE = 0x00000004;
216 // Snoop response flags
217 static const FlagsType MEM_INHIBIT = 0x00000008;
218 /// Are the 'addr' and 'size' fields valid?
219 static const FlagsType VALID_ADDR = 0x00000100;
220 static const FlagsType VALID_SIZE = 0x00000200;
221 /// Is the 'src' field valid?
222 static const FlagsType VALID_SRC = 0x00000400;
223 static const FlagsType VALID_DST = 0x00000800;
224 /// Is the data pointer set to a value that shouldn't be freed
225 /// when the packet is destroyed?
226 static const FlagsType STATIC_DATA = 0x00001000;
227 /// The data pointer points to a value that should be freed when
228 /// the packet is destroyed.
229 static const FlagsType DYNAMIC_DATA = 0x00002000;
230 /// the data pointer points to an array (thus delete []) needs to
231 /// be called on it rather than simply delete.
232 static const FlagsType ARRAY_DATA = 0x00004000;
233
234 Flags flags;
235
236 public:
237 typedef MemCmd::Command Command;
238
239 /// The command field of the packet.
240 MemCmd cmd;
241
242 /// A pointer to the original request.
243 RequestPtr req;
244
245 private:
246 /**
247 * A pointer to the data being transfered. It can be differnt
248 * sizes at each level of the heirarchy so it belongs in the
249 * packet, not request. This may or may not be populated when a
250 * responder recieves the packet. If not populated it memory should
251 * be allocated.
252 */
253 PacketDataPtr data;
254
255 /// The address of the request. This address could be virtual or
256 /// physical, depending on the system configuration.
257 Addr addr;
258
259 /// The size of the request or transfer.
260 unsigned size;
261
262 /**
263 * Device address (e.g., bus ID) of the source of the
264 * transaction. The source is not responsible for setting this
265 * field; it is set implicitly by the interconnect when the packet
266 * is first sent.
267 */
268 NodeID src;
269
270 /**
271 * Device address (e.g., bus ID) of the destination of the
272 * transaction. The special value Broadcast indicates that the
273 * packet should be routed based on its address. This field is
274 * initialized in the constructor and is thus always valid (unlike
275 * addr, size, and src).
276 */
277 NodeID dest;
278
279 /**
280 * The original value of the command field. Only valid when the
281 * current command field is an error condition; in that case, the
282 * previous contents of the command field are copied here. This
283 * field is *not* set on non-error responses.
284 */
285 MemCmd origCmd;
286
287 public:
288 /// Used to calculate latencies for each packet.
289 Tick time;
290
291 /// The time at which the packet will be fully transmitted
292 Tick finishTime;
293
294 /// The time at which the first chunk of the packet will be transmitted
295 Tick firstWordTime;
296
297 /// The special destination address indicating that the packet
298 /// should be routed based on its address.
299 static const NodeID Broadcast = -1;
300
301 /**
302 * A virtual base opaque structure used to hold state associated
303 * with the packet but specific to the sending device (e.g., an
304 * MSHR). A pointer to this state is returned in the packet's
305 * response so that the sender can quickly look up the state
306 * needed to process it. A specific subclass would be derived
307 * from this to carry state specific to a particular sending
308 * device.
309 */
310 struct SenderState
311 {
312 virtual ~SenderState() {}
313 };
314
315 /**
316 * Object used to maintain state of a PrintReq. The senderState
317 * field of a PrintReq should always be of this type.
318 */
319 class PrintReqState : public SenderState, public FastAlloc
320 {
321 private:
322 /**
323 * An entry in the label stack.
324 */
325 struct LabelStackEntry
326 {
327 const std::string label;
328 std::string *prefix;
329 bool labelPrinted;
330 LabelStackEntry(const std::string &_label, std::string *_prefix);
331 };
332
333 typedef std::list<LabelStackEntry> LabelStack;
334 LabelStack labelStack;
335
336 std::string *curPrefixPtr;
337
338 public:
339 std::ostream &os;
340 const int verbosity;
341
342 PrintReqState(std::ostream &os, int verbosity = 0);
343 ~PrintReqState();
344
345 /**
346 * Returns the current line prefix.
347 */
348 const std::string &curPrefix() { return *curPrefixPtr; }
349
350 /**
351 * Push a label onto the label stack, and prepend the given
352 * prefix string onto the current prefix. Labels will only be
353 * printed if an object within the label's scope is printed.
354 */
355 void pushLabel(const std::string &lbl,
356 const std::string &prefix = " ");
357
358 /**
359 * Pop a label off the label stack.
360 */
361 void popLabel();
362
363 /**
364 * Print all of the pending unprinted labels on the
365 * stack. Called by printObj(), so normally not called by
366 * users unless bypassing printObj().
367 */
368 void printLabels();
369
370 /**
371 * Print a Printable object to os, because it matched the
372 * address on a PrintReq.
373 */
374 void printObj(Printable *obj);
375 };
376
377 /**
378 * This packet's sender state. Devices should use dynamic_cast<>
379 * to cast to the state appropriate to the sender. The intent of
380 * this variable is to allow a device to attach extra information
381 * to a request. A response packet must return the sender state
382 * that was attached to the original request (even if a new packet
383 * is created).
384 */
385 SenderState *senderState;
386
387 /// Return the string name of the cmd field (for debugging and
388 /// tracing).
389 const std::string &cmdString() const { return cmd.toString(); }
390
391 /// Return the index of this command.
392 inline int cmdToIndex() const { return cmd.toInt(); }
393
394 bool isRead() const { return cmd.isRead(); }
395 bool isWrite() const { return cmd.isWrite(); }
396 bool isRequest() const { return cmd.isRequest(); }
397 bool isResponse() const { return cmd.isResponse(); }
398 bool needsExclusive() const { return cmd.needsExclusive(); }
399 bool needsResponse() const { return cmd.needsResponse(); }
400 bool isInvalidate() const { return cmd.isInvalidate(); }
401 bool hasData() const { return cmd.hasData(); }
402 bool isReadWrite() const { return cmd.isReadWrite(); }
403 bool isLLSC() const { return cmd.isLLSC(); }
404 bool isError() const { return cmd.isError(); }
405 bool isPrint() const { return cmd.isPrint(); }
406
407 // Snoop flags
408 void assertMemInhibit() { flags.set(MEM_INHIBIT); }
409 bool memInhibitAsserted() { return flags.isSet(MEM_INHIBIT); }
410 void assertShared() { flags.set(SHARED); }
411 bool sharedAsserted() { return flags.isSet(SHARED); }
412
413 // Special control flags
414 void setExpressSnoop() { flags.set(EXPRESS_SNOOP); }
415 bool isExpressSnoop() { return flags.isSet(EXPRESS_SNOOP); }
416 void setSupplyExclusive() { flags.set(SUPPLY_EXCLUSIVE); }
417 bool isSupplyExclusive() { return flags.isSet(SUPPLY_EXCLUSIVE); }
418
419 // Network error conditions... encapsulate them as methods since
420 // their encoding keeps changing (from result field to command
421 // field, etc.)
422 void
423 setNacked()
424 {
425 assert(isResponse());
426 cmd = MemCmd::NetworkNackError;
427 }
428
429 void
430 setBadAddress()
431 {
432 assert(isResponse());
433 cmd = MemCmd::BadAddressError;
434 }
435
436 bool wasNacked() const { return cmd == MemCmd::NetworkNackError; }
437 bool hadBadAddress() const { return cmd == MemCmd::BadAddressError; }
438 void copyError(Packet *pkt) { assert(pkt->isError()); cmd = pkt->cmd; }
439
440 bool isSrcValid() { return flags.isSet(VALID_SRC); }
441 /// Accessor function to get the source index of the packet.
442 NodeID getSrc() const { assert(flags.isSet(VALID_SRC)); return src; }
443 /// Accessor function to set the source index of the packet.
444 void setSrc(NodeID _src) { src = _src; flags.set(VALID_SRC); }
445 /// Reset source field, e.g. to retransmit packet on different bus.
446 void clearSrc() { flags.clear(VALID_SRC); }
447
448 bool isDestValid() { return flags.isSet(VALID_DST); }
449 /// Accessor function for the destination index of the packet.
450 NodeID getDest() const { assert(flags.isSet(VALID_DST)); return dest; }
451 /// Accessor function to set the destination index of the packet.
452 void setDest(NodeID _dest) { dest = _dest; flags.set(VALID_DST); }
453
454 Addr getAddr() const { assert(flags.isSet(VALID_ADDR)); return addr; }
455 unsigned getSize() const { assert(flags.isSet(VALID_SIZE)); return size; }
456 Addr getOffset(int blkSize) const { return getAddr() & (Addr)(blkSize - 1); }
457
458 /**
459 * Constructor. Note that a Request object must be constructed
460 * first, but the Requests's physical address and size fields need
461 * not be valid. The command and destination addresses must be
462 * supplied.
463 */
464 Packet(Request *_req, MemCmd _cmd, NodeID _dest)
465 : flags(VALID_DST), cmd(_cmd), req(_req), data(NULL),
466 dest(_dest), time(curTick), senderState(NULL)
467 {
468 if (req->hasPaddr()) {
469 addr = req->getPaddr();
470 flags.set(VALID_ADDR);
471 }
472 if (req->hasSize()) {
473 size = req->getSize();
474 flags.set(VALID_SIZE);
475 }
476 }
477
478 /**
479 * Alternate constructor if you are trying to create a packet with
480 * a request that is for a whole block, not the address from the
481 * req. this allows for overriding the size/addr of the req.
482 */
483 Packet(Request *_req, MemCmd _cmd, NodeID _dest, int _blkSize)
484 : flags(VALID_DST), cmd(_cmd), req(_req), data(NULL),
485 dest(_dest), time(curTick), senderState(NULL)
486 {
487 if (req->hasPaddr()) {
488 addr = req->getPaddr() & ~(_blkSize - 1);
489 flags.set(VALID_ADDR);
490 }
491 size = _blkSize;
492 flags.set(VALID_SIZE);
493 }
494
495 /**
496 * Alternate constructor for copying a packet. Copy all fields
497 * *except* if the original packet's data was dynamic, don't copy
498 * that, as we can't guarantee that the new packet's lifetime is
499 * less than that of the original packet. In this case the new
500 * packet should allocate its own data.
501 */
502 Packet(Packet *pkt, bool clearFlags = false)
503 : cmd(pkt->cmd), req(pkt->req),
504 data(pkt->flags.isSet(STATIC_DATA) ? pkt->data : NULL),
505 addr(pkt->addr), size(pkt->size), src(pkt->src), dest(pkt->dest),
506 time(curTick), senderState(pkt->senderState)
507 {
508 if (!clearFlags)
509 flags.set(pkt->flags & COPY_FLAGS);
510
511 flags.set(pkt->flags & (VALID_ADDR|VALID_SIZE|VALID_SRC|VALID_DST));
512 flags.set(pkt->flags & STATIC_DATA);
513 }
514
515 /**
516 * clean up packet variables
517 */
518 ~Packet()
519 {
520 // If this is a request packet for which there's no response,
521 // delete the request object here, since the requester will
522 // never get the chance.
523 if (req && isRequest() && !needsResponse())
524 delete req;
525 deleteData();
526 }
527
528 /**
529 * Reinitialize packet address and size from the associated
530 * Request object, and reset other fields that may have been
531 * modified by a previous transaction. Typically called when a
532 * statically allocated Request/Packet pair is reused for multiple
533 * transactions.
534 */
535 void
536 reinitFromRequest()
537 {
538 assert(req->hasPaddr());
539 flags = 0;
540 addr = req->getPaddr();
541 size = req->getSize();
542 time = req->time();
543
544 flags.set(VALID_ADDR|VALID_SIZE);
545 deleteData();
546 }
547
548 /**
549 * Take a request packet and modify it in place to be suitable for
550 * returning as a response to that request. The source and
551 * destination fields are *not* modified, as is appropriate for
552 * atomic accesses.
553 */
554 void
555 makeResponse()
556 {
557 assert(needsResponse());
558 assert(isRequest());
559 origCmd = cmd;
560 cmd = cmd.responseCommand();
561
562 dest = src;
563 flags.set(VALID_DST, flags.isSet(VALID_SRC));
564 flags.clear(VALID_SRC);
565 }
566
567 void
568 makeAtomicResponse()
569 {
570 makeResponse();
571 }
572
573 void
574 makeTimingResponse()
575 {
576 makeResponse();
577 }
578
579 /**
580 * Take a request packet that has been returned as NACKED and
581 * modify it so that it can be sent out again. Only packets that
582 * need a response can be NACKED, so verify that that is true.
583 */
584 void
585 reinitNacked()
586 {
587 assert(wasNacked());
588 cmd = origCmd;
589 assert(needsResponse());
590 setDest(Broadcast);
591 }
592
593 void
594 setSize(unsigned size)
595 {
596 assert(!flags.isSet(VALID_SIZE));
593
597
598 this->size = size;
599 flags.set(VALID_SIZE);
600 }
601
602
594 /**
595 * Set the data pointer to the following value that should not be
596 * freed.
597 */
598 template <typename T>
599 void
600 dataStatic(T *p)
601 {
602 assert(flags.noneSet(STATIC_DATA|DYNAMIC_DATA|ARRAY_DATA));
603 data = (PacketDataPtr)p;
604 flags.set(STATIC_DATA);
605 }
606
607 /**
608 * Set the data pointer to a value that should have delete []
609 * called on it.
610 */
611 template <typename T>
612 void
613 dataDynamicArray(T *p)
614 {
615 assert(flags.noneSet(STATIC_DATA|DYNAMIC_DATA|ARRAY_DATA));
616 data = (PacketDataPtr)p;
617 flags.set(DYNAMIC_DATA|ARRAY_DATA);
618 }
619
620 /**
621 * set the data pointer to a value that should have delete called
622 * on it.
623 */
624 template <typename T>
625 void
626 dataDynamic(T *p)
627 {
628 assert(flags.noneSet(STATIC_DATA|DYNAMIC_DATA|ARRAY_DATA));
629 data = (PacketDataPtr)p;
630 flags.set(DYNAMIC_DATA);
631 }
632
633 /**
634 * get a pointer to the data ptr.
635 */
636 template <typename T>
637 T*
638 getPtr()
639 {
640 assert(flags.isSet(STATIC_DATA|DYNAMIC_DATA));
641 return (T*)data;
642 }
643
644 /**
645 * return the value of what is pointed to in the packet.
646 */
647 template <typename T>
648 T get();
649
650 /**
651 * set the value in the data pointer to v.
652 */
653 template <typename T>
654 void set(T v);
655
656 /**
657 * Copy data into the packet from the provided pointer.
658 */
659 void
660 setData(uint8_t *p)
661 {
662 std::memcpy(getPtr<uint8_t>(), p, getSize());
663 }
664
665 /**
666 * Copy data into the packet from the provided block pointer,
667 * which is aligned to the given block size.
668 */
669 void
670 setDataFromBlock(uint8_t *blk_data, int blkSize)
671 {
672 setData(blk_data + getOffset(blkSize));
673 }
674
675 /**
676 * Copy data from the packet to the provided block pointer, which
677 * is aligned to the given block size.
678 */
679 void
680 writeData(uint8_t *p)
681 {
682 std::memcpy(p, getPtr<uint8_t>(), getSize());
683 }
684
685 /**
686 * Copy data from the packet to the memory at the provided pointer.
687 */
688 void
689 writeDataToBlock(uint8_t *blk_data, int blkSize)
690 {
691 writeData(blk_data + getOffset(blkSize));
692 }
693
694 /**
695 * delete the data pointed to in the data pointer. Ok to call to
696 * matter how data was allocted.
697 */
698 void
699 deleteData()
700 {
701 if (flags.isSet(ARRAY_DATA))
702 delete [] data;
703 else if (flags.isSet(DYNAMIC_DATA))
704 delete data;
705
706 flags.clear(STATIC_DATA|DYNAMIC_DATA|ARRAY_DATA);
707 data = NULL;
708 }
709
710 /** If there isn't data in the packet, allocate some. */
711 void
712 allocate()
713 {
714 if (data) {
715 assert(flags.isSet(STATIC_DATA|DYNAMIC_DATA));
716 return;
717 }
718
719 assert(flags.noneSet(STATIC_DATA|DYNAMIC_DATA));
720 flags.set(DYNAMIC_DATA|ARRAY_DATA);
721 data = new uint8_t[getSize()];
722 }
723
724
725 /**
726 * Check a functional request against a memory value represented
727 * by a base/size pair and an associated data array. If the
728 * functional request is a read, it may be satisfied by the memory
729 * value. If the functional request is a write, it may update the
730 * memory value.
731 */
732 bool checkFunctional(Printable *obj, Addr base, int size, uint8_t *data);
733
734 /**
735 * Check a functional request against a memory value stored in
736 * another packet (i.e. an in-transit request or response).
737 */
738 bool
739 checkFunctional(PacketPtr other)
740 {
741 uint8_t *data = other->hasData() ? other->getPtr<uint8_t>() : NULL;
742 return checkFunctional(other, other->getAddr(), other->getSize(),
743 data);
744 }
745
746 /**
747 * Push label for PrintReq (safe to call unconditionally).
748 */
749 void
750 pushLabel(const std::string &lbl)
751 {
752 if (isPrint())
753 safe_cast<PrintReqState*>(senderState)->pushLabel(lbl);
754 }
755
756 /**
757 * Pop label for PrintReq (safe to call unconditionally).
758 */
759 void
760 popLabel()
761 {
762 if (isPrint())
763 safe_cast<PrintReqState*>(senderState)->popLabel();
764 }
765
766 void print(std::ostream &o, int verbosity = 0,
767 const std::string &prefix = "") const;
768};
769
770#endif //__MEM_PACKET_HH
603 /**
604 * Set the data pointer to the following value that should not be
605 * freed.
606 */
607 template <typename T>
608 void
609 dataStatic(T *p)
610 {
611 assert(flags.noneSet(STATIC_DATA|DYNAMIC_DATA|ARRAY_DATA));
612 data = (PacketDataPtr)p;
613 flags.set(STATIC_DATA);
614 }
615
616 /**
617 * Set the data pointer to a value that should have delete []
618 * called on it.
619 */
620 template <typename T>
621 void
622 dataDynamicArray(T *p)
623 {
624 assert(flags.noneSet(STATIC_DATA|DYNAMIC_DATA|ARRAY_DATA));
625 data = (PacketDataPtr)p;
626 flags.set(DYNAMIC_DATA|ARRAY_DATA);
627 }
628
629 /**
630 * set the data pointer to a value that should have delete called
631 * on it.
632 */
633 template <typename T>
634 void
635 dataDynamic(T *p)
636 {
637 assert(flags.noneSet(STATIC_DATA|DYNAMIC_DATA|ARRAY_DATA));
638 data = (PacketDataPtr)p;
639 flags.set(DYNAMIC_DATA);
640 }
641
642 /**
643 * get a pointer to the data ptr.
644 */
645 template <typename T>
646 T*
647 getPtr()
648 {
649 assert(flags.isSet(STATIC_DATA|DYNAMIC_DATA));
650 return (T*)data;
651 }
652
653 /**
654 * return the value of what is pointed to in the packet.
655 */
656 template <typename T>
657 T get();
658
659 /**
660 * set the value in the data pointer to v.
661 */
662 template <typename T>
663 void set(T v);
664
665 /**
666 * Copy data into the packet from the provided pointer.
667 */
668 void
669 setData(uint8_t *p)
670 {
671 std::memcpy(getPtr<uint8_t>(), p, getSize());
672 }
673
674 /**
675 * Copy data into the packet from the provided block pointer,
676 * which is aligned to the given block size.
677 */
678 void
679 setDataFromBlock(uint8_t *blk_data, int blkSize)
680 {
681 setData(blk_data + getOffset(blkSize));
682 }
683
684 /**
685 * Copy data from the packet to the provided block pointer, which
686 * is aligned to the given block size.
687 */
688 void
689 writeData(uint8_t *p)
690 {
691 std::memcpy(p, getPtr<uint8_t>(), getSize());
692 }
693
694 /**
695 * Copy data from the packet to the memory at the provided pointer.
696 */
697 void
698 writeDataToBlock(uint8_t *blk_data, int blkSize)
699 {
700 writeData(blk_data + getOffset(blkSize));
701 }
702
703 /**
704 * delete the data pointed to in the data pointer. Ok to call to
705 * matter how data was allocted.
706 */
707 void
708 deleteData()
709 {
710 if (flags.isSet(ARRAY_DATA))
711 delete [] data;
712 else if (flags.isSet(DYNAMIC_DATA))
713 delete data;
714
715 flags.clear(STATIC_DATA|DYNAMIC_DATA|ARRAY_DATA);
716 data = NULL;
717 }
718
719 /** If there isn't data in the packet, allocate some. */
720 void
721 allocate()
722 {
723 if (data) {
724 assert(flags.isSet(STATIC_DATA|DYNAMIC_DATA));
725 return;
726 }
727
728 assert(flags.noneSet(STATIC_DATA|DYNAMIC_DATA));
729 flags.set(DYNAMIC_DATA|ARRAY_DATA);
730 data = new uint8_t[getSize()];
731 }
732
733
734 /**
735 * Check a functional request against a memory value represented
736 * by a base/size pair and an associated data array. If the
737 * functional request is a read, it may be satisfied by the memory
738 * value. If the functional request is a write, it may update the
739 * memory value.
740 */
741 bool checkFunctional(Printable *obj, Addr base, int size, uint8_t *data);
742
743 /**
744 * Check a functional request against a memory value stored in
745 * another packet (i.e. an in-transit request or response).
746 */
747 bool
748 checkFunctional(PacketPtr other)
749 {
750 uint8_t *data = other->hasData() ? other->getPtr<uint8_t>() : NULL;
751 return checkFunctional(other, other->getAddr(), other->getSize(),
752 data);
753 }
754
755 /**
756 * Push label for PrintReq (safe to call unconditionally).
757 */
758 void
759 pushLabel(const std::string &lbl)
760 {
761 if (isPrint())
762 safe_cast<PrintReqState*>(senderState)->pushLabel(lbl);
763 }
764
765 /**
766 * Pop label for PrintReq (safe to call unconditionally).
767 */
768 void
769 popLabel()
770 {
771 if (isPrint())
772 safe_cast<PrintReqState*>(senderState)->popLabel();
773 }
774
775 void print(std::ostream &o, int verbosity = 0,
776 const std::string &prefix = "") const;
777};
778
779#endif //__MEM_PACKET_HH