在ns-3中如何动态调整瓶颈链路带宽

ns-3的tutorial和安装完ns-3后,目录example下给的例子,都是预先设定好channel的bandwidth和delay,但如果想做一个基于trace driven的simulation,要每隔一段时间动态改变channel的bandwidth或delay,那应该怎么办?
这篇博客以ns-3目录example/tcp/下的tcp-variants-comparison.cc作为例子,修改后的源文件在我的github中可以看到,这里给出github地址github。

静态设置bandwidth和delay

...
int main (int args, char *argv[])
...
std::string bandwidth = "2Mbps"
std::string delay = "0.01ms"
...
PointToPointHelper UnReLink;
UnReLink.SetDeviceAttribute ("Datarate", StringValue (bandwidth));
UnReLink.SetChannelAttribute ("Delay", StringValue (delay));
...

动态调整bandwidth和delay

动态调整bandwidth和delay,首先需要制作bandwidth trace,这个trace怎么做,我想就不要说了吧,就算你问我我也不会说的。

写BandwidthTrace()函数

这里是在downlink上添加trace,我这里叫downlink.txt文件
读文件

#include 
using namespace std;
...
void BandwidthTrace (void);
void ScheduleBw (void);
string bandwidth = "2Mbps";
uint32_t m_timer_value = 100;
...
ifstream bwfile ("downlink.txt");
PointToPoint UnReLink;
...

如果你问我ifstream是什么鬼,我不会告诉你这是个什么鬼的,我只会提醒你,使用时记得包含头文件"fstream"。
还有为什么要在这里用这条表达式"PointToPoint UnReLink",后面会说的。
写函数BandwidthTrace()这里先给出一种的错误的做法,我以前就是这么干的,哎,浪费生命啊!

void
BandwidthTrace (void)
{   
    //读trace文件,bwfile为文件指针,getline函数每次读一行
    getline (bwfile, bandwidth);
    //像在主函数中一样设置bandwidth
    UnReLink.SetDeviceAttribute ("Datarate", StringValue (bandwidth));
    //判断文件是否为空
    if (!bwfile.eof ())
    {
        //trace文件不为空,就调用ScheduleBw函数,这个函数在后面做介绍
        ScheduleBw ();
    }
    else 
    {
        cout <<"end of file!" <

现在问题来了,错误在哪?
问题在这里:
UnReLink.SetDeviceAttribute ("Datarate", StringValue (bandwidth));
这条语句只会被执行一次,在后面再次调用时,虽然不会报错,但也不会改变任何东西,那么,如果想要动态改变attribute,可以使用这种方式:
Config::Set("NodeList/[i]/DeviceList/[i]/$ns3::PointToPointNet/DataRate",StringValue(attribute));
NodeList/[i]表示第i个节点,DeviceList/[i]表示第i个节点的第i个设备。
所以BandwidthTrace()函数的写法应该这样:

void
BandwidthTrace (void)
{   
    //读trace文件,bwfile为文件指针,getline函数每次读一行
    getline (bwfile, bandwidth);
    Config::Set("/NodeList/1/DeviceList/1/$ns3::PointToPointNetDevice/DataRate", StringValue(bandwidth));
    if (!bwfile.eof())
    {
        ScheduleBw();
    }
    else 
    {
        cout <<"end of file!" <

你可能感兴趣的:(在ns-3中如何动态调整瓶颈链路带宽)