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 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280
|
# SPDX-License-Identifier: GPL-2.0-only
#
# Copyright (c) 2018-20 NITK Surathkal
# Copyright (c) 2025 CSPIT, CHARUSAT
#
# Authors:
# Aarti Nandagiri <aarti.nandagiri@gmail.com>
# Vivek Jain <jain.vivek.anand@gmail.com>
# Mohit P. Tahiliani <tahiliani@nitk.edu.in>
# Urval Kheni <kheniurval777@gmail.com>
# Ritesh Patel <riteshpatel.ce@charusat.ac.in>
"""
Python port of tcp-bbr-example.cc
Simulates the following topology:
Sender ---- R1 ---- R2 ---- Receiver
1000Mbps 10Mbps 1000Mbps
5ms 10ms 5ms
Outputs:
- cwnd.dat (congestion window)
- throughput.dat (throughput)
- queueSize.dat (queue length)
"""
import argparse
import os
import time
try:
from ns import ns
except ModuleNotFoundError:
raise SystemExit(
"Error: ns3 Python module not found. "
"Bindings may not be enabled or PYTHONPATH is incorrect."
)
# Global trace variables
prev_tx = 0
prev_time = None
throughput_file = None
queue_file = None
cwnd_file = None
outdir = ""
def trace_throughput_callback():
"""Throughput trace callback."""
global prev_tx, prev_time, throughput_file
stats = ns.cppyy.gbl.monitor_ptr.GetFlowStats()
if stats and not stats.empty():
flow_stats = stats.begin().__deref__().second
cur_time = ns.Now()
bits = 8 * (flow_stats.txBytes - prev_tx)
us = (cur_time - prev_time).ToDouble(ns.Time.US)
if us > 0:
throughput_file.write(f"{cur_time.GetSeconds():.6g}s {bits / us:.6g} Mbps\n")
throughput_file.flush()
prev_time = cur_time
prev_tx = flow_stats.txBytes
def check_queue_size_callback():
"""Queue length tracer."""
global queue_file
q = ns.cppyy.gbl.qdisc_ptr.GetCurrentSize().GetValue()
queue_file.write(f"{ns.Simulator.Now().GetSeconds():.6g} {q}\n")
queue_file.flush()
def trace_cwnd_callback(oldval, newval):
"""Congestion window tracer."""
global cwnd_file
cwnd_file.write(f"{ns.Simulator.Now().GetSeconds():.6g} {newval / 1448.0:.6g}\n")
cwnd_file.flush()
# C++ helper functions for scheduling Python callbacks
ns.cppyy.cppdef(r"""
#include "ns3/simulator.h"
#include "ns3/flow-monitor-helper.h"
#include "ns3/queue-disc.h"
#include "ns3/node.h"
#include "ns3/config.h"
using namespace ns3;
Ptr<FlowMonitor> monitor_ptr;
Ptr<QueueDisc> qdisc_ptr;
// Helper to create event from Python callback without parameters
EventImpl* pythonMakeEvent(void (*f)())
{
return MakeEvent(f);
}
// Helper to connect cwnd callback and create event
EventImpl* pythonConnectCwndTrace(void (*f)(uint32_t, uint32_t))
{
Config::ConnectWithoutContext(
"/NodeList/0/$ns3::TcpL4Protocol/SocketList/0/CongestionWindow",
MakeCallback(f));
return nullptr;
}
""")
def main():
global throughput_file, queue_file, cwnd_file, outdir, prev_time
global prev_tx
parser = argparse.ArgumentParser(description="tcp-bbr-example (Python)")
parser.add_argument(
"--tcpTypeId",
default="TcpBbr",
help="Transport protocol: TcpNewReno, TcpBbr",
)
parser.add_argument("--delAckCount", type=int, default=2, help="Delayed ACK count")
parser.add_argument("--enablePcap", action="store_true", help="Enable pcap traces")
parser.add_argument("--stopTime", type=float, default=100.0, help="Simulation stop time")
args = parser.parse_args()
ts = time.strftime("%d-%m-%Y-%I-%M-%S")
outdir = f"bbr-results/{ts}/"
os.makedirs(outdir, exist_ok=True)
tcpType = args.tcpTypeId
queueDisc = "ns3::FifoQueueDisc"
delAck = args.delAckCount
enablePcap = args.enablePcap
stopTime = ns.Seconds(args.stopTime)
ns.Config.SetDefault(
"ns3::TcpL4Protocol::SocketType",
ns.StringValue("ns3::" + tcpType),
)
ns.Config.SetDefault("ns3::TcpSocket::SndBufSize", ns.UintegerValue(4194304))
ns.Config.SetDefault("ns3::TcpSocket::RcvBufSize", ns.UintegerValue(6291456))
ns.Config.SetDefault("ns3::TcpSocket::InitialCwnd", ns.UintegerValue(10))
ns.Config.SetDefault("ns3::TcpSocket::DelAckCount", ns.UintegerValue(delAck))
ns.Config.SetDefault("ns3::TcpSocket::SegmentSize", ns.UintegerValue(1448))
ns.Config.SetDefault(
"ns3::DropTailQueue<Packet>::MaxSize", ns.QueueSizeValue(ns.QueueSize("1p"))
)
ns.Config.SetDefault(
queueDisc + "::MaxSize",
ns.QueueSizeValue(ns.QueueSize("100p")),
)
sender = ns.NodeContainer()
receiver = ns.NodeContainer()
routers = ns.NodeContainer()
sender.Create(1)
receiver.Create(1)
routers.Create(2)
bottleneck = ns.PointToPointHelper()
bottleneck.SetDeviceAttribute("DataRate", ns.StringValue("10Mbps"))
bottleneck.SetChannelAttribute("Delay", ns.StringValue("10ms"))
edge = ns.PointToPointHelper()
edge.SetDeviceAttribute("DataRate", ns.StringValue("1000Mbps"))
edge.SetChannelAttribute("Delay", ns.StringValue("5ms"))
senderEdge = edge.Install(sender.Get(0), routers.Get(0))
r1r2 = bottleneck.Install(routers.Get(0), routers.Get(1))
receiverEdge = edge.Install(routers.Get(1), receiver.Get(0))
inet = ns.InternetStackHelper()
inet.Install(sender)
inet.Install(receiver)
inet.Install(routers)
tch = ns.TrafficControlHelper()
tch.SetRootQueueDisc(queueDisc)
tch.SetQueueLimits("ns3::DynamicQueueLimits", "HoldTime", ns.StringValue("1000ms"))
tch.Install(senderEdge)
tch.Install(receiverEdge)
ipv4 = ns.Ipv4AddressHelper()
ipv4.SetBase(ns.Ipv4Address("10.0.0.0"), ns.Ipv4Mask("255.255.255.0"))
_ = ipv4.Assign(r1r2)
ipv4.NewNetwork()
ipv4.Assign(senderEdge)
ipv4.NewNetwork()
ir1 = ipv4.Assign(receiverEdge)
ns.Ipv4GlobalRoutingHelper.PopulateRoutingTables()
port = 50001
source = ns.BulkSendHelper(
"ns3::TcpSocketFactory",
ns.InetSocketAddress(ir1.GetAddress(1), port).ConvertTo(),
)
source.SetAttribute("MaxBytes", ns.UintegerValue(0))
sourceApps = source.Install(sender.Get(0))
sourceApps.Start(ns.Seconds(0.1))
sourceApps.Stop(stopTime)
sink = ns.PacketSinkHelper(
"ns3::TcpSocketFactory",
ns.InetSocketAddress(ns.Ipv4Address.GetAny(), port).ConvertTo(),
)
sinkApps = sink.Install(receiver.Get(0))
sinkApps.Start(ns.Seconds(0))
sinkApps.Stop(stopTime)
if enablePcap:
os.makedirs(os.path.join(outdir, "pcap"), exist_ok=True)
throughput_file = open(os.path.join(outdir, "throughput.dat"), "w")
queue_file = open(os.path.join(outdir, "queueSize.dat"), "w")
cwnd_file = open(os.path.join(outdir, "cwnd.dat"), "w")
if enablePcap:
bottleneck.EnablePcapAll(os.path.join(outdir, "pcap", "bbr"), True)
flowmon = ns.FlowMonitorHelper()
monitor = flowmon.InstallAll()
tch.Uninstall(routers.Get(0).GetDevice(1))
qdc = tch.Install(routers.Get(0).GetDevice(1))
prev_time = ns.Now()
prev_tx = 0
ns.cppyy.gbl.monitor_ptr = monitor
ns.cppyy.gbl.qdisc_ptr = qdc.Get(0)
# Define wrapper functions that reschedule themselves
def throughput_tracer():
"""Periodic throughput tracer that reschedules itself."""
trace_throughput_callback()
event = ns.cppyy.gbl.pythonMakeEvent(throughput_tracer)
ns.Simulator.Schedule(ns.Seconds(0.2), event)
def queue_size_tracer():
"""Periodic queue size tracer that reschedules itself."""
check_queue_size_callback()
event = ns.cppyy.gbl.pythonMakeEvent(queue_size_tracer)
ns.Simulator.Schedule(ns.Seconds(0.2), event)
# Schedule initial events using pythonMakeEvent
event = ns.cppyy.gbl.pythonMakeEvent(throughput_tracer)
ns.Simulator.Schedule(ns.Seconds(0.000001), event)
event = ns.cppyy.gbl.pythonMakeEvent(queue_size_tracer)
ns.Simulator.ScheduleNow(event)
# Connect cwnd trace after socket is created
def connect_cwnd_trace():
"""Connect the cwnd trace callback."""
ns.cppyy.gbl.pythonConnectCwndTrace(trace_cwnd_callback)
event = ns.cppyy.gbl.pythonMakeEvent(connect_cwnd_trace)
ns.Simulator.Schedule(ns.Seconds(0.1) + ns.MilliSeconds(1), event)
ns.Simulator.Stop(stopTime + ns.TimeStep(1))
ns.Simulator.Run()
ns.Simulator.Destroy()
throughput_file.close()
queue_file.close()
cwnd_file.close()
if __name__ == "__main__":
main()
|