-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathaodvugd_processor.cpp
2427 lines (2106 loc) · 94.4 KB
/
aodvugd_processor.cpp
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
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
#include "_legacyapps_enable_cmake.h"
#ifdef ENABLE_AODVUGD
#include "legacyapps/aodvugd/aodvugd_logger.h"
#include "legacyapps/aodvugd/aodvugd_processor.h"
#include "legacyapps/aodvugd/aodvugd_message.h"
#include "legacyapps/aodvugd/aodvugd_ping_app.h"
//#include "legacyapps/aodvugd/aodvugd_observer_estado_ruta.h"
#include "sys/simulation/simulation_controller.h"
#include "sys/node.h"
#include <iostream>
#include <limits>
#include <cmath>
//#include "legacyapps/aodvugd/aodvugd_defaultconfig.h"
#include <utility> // std::pair
//#include "legacyapps/aodvugd/aodvugd_route_discovery.h"
#include <sstream> /* toString */
#include <string> /*to_string(int)*/
#include "sys/taggings/basic_tags.h" //int tag
//tarea ping nodos
#include "legacyapps/aodvugd/aodvugd_nodes_pings_task.h"
#include "sys/simulation/simulation_task.h"
#include "sys/simulation/simulation_task_keeper.h"
namespace aodvugd
{
// clase BufferRREQ_EventTag----------------------------------------------------------------------
/*use como plantilla class RoutingEventTag*/
//constructor
BufferRREQ_EventTag::
BufferRREQ_EventTag( std::string origino, unsigned int RREQ_ID )
//inicializacion
:
origino_ {origino},
RREQ_ID_ {RREQ_ID}
{}
//----------------------------------------------------------------------
//destructor
BufferRREQ_EventTag::
~BufferRREQ_EventTag(){}
//gets----------------------------------------------------------------------
inline const std::string
BufferRREQ_EventTag::
getOrigino () const
throw()
{
return origino_;
}
inline const unsigned int
BufferRREQ_EventTag::
getRREQ_ID () const
throw()
{
return RREQ_ID_;
}
// clase tagRREQ_stat----------------------------------------------------------------------
//constructor
tagRREQ_stat::
tagRREQ_stat( )
//inicializacion
: Tag("tagRREQ_stat"/*n*/, false/*lock*/)
{}
//----------------------------------------------------------------------
//destructor
tagRREQ_stat::
~tagRREQ_stat() {}
//gets----------------------------------------------------------------------
inline unsigned int
tagRREQ_stat::
getContadorRenviosRREQ ()
throw()
{
return contadorRenviosRREQ_;
}
//----------------------------------------------------------------------
inline unsigned int
tagRREQ_stat::
getContadorHandle_RREQ ()
throw()
{
return contadorHandle_RREQ_;
}
//----------------------------------------------------------------------
void
tagRREQ_stat::
setContadorRenviosRREQ (unsigned int newContador)
throw()
{
contadorRenviosRREQ_=newContador;
}
//----------------------------------------------------------------------
void
tagRREQ_stat::
setContadorHandle_RREQ (unsigned int newContador)
throw()
{
contadorHandle_RREQ_=newContador;
}
// ----------------------------------------------------------------------
const std::string&
tagRREQ_stat::
type_identifier( void )
const throw()
{
return "tagRREQ_stat";
}
// ----------------------------------------------------------------------
std::string
tagRREQ_stat::
encoded_content( void )
const throw( std::runtime_error )
{
/* std::stringstream ss;
ss << value();
return ss.str();*/
return " ";
}
// ----------------------------------------------------------------------
// ----------------------------------------------------------------------
// clase AodvUgdProcessor----------------------------------------------------------------------
AodvUgdProcessor::
AodvUgdProcessor()
/* : connected_ ( false ),
senderPing_ ( false ),
hop_dist_ ( 0 ),
send_period_ ( 1.2),
predecessor_ ( NULL )*/
//configuracion ( )
// unaTablaRuteo ( ) //cuando se crea new devuelve un puntero.. y para usar el contenido hay que usar *
// procesoDiscovrey () /* {( new AodvUgdRouteDiscovery () ) } */
{}
// ----------------------------------------------------------------------
AodvUgdProcessor::
~AodvUgdProcessor()
{}
// ----------------------------------------------------------------------
void
AodvUgdProcessor::
special_boot( void ) //solo un nodo utiliza el special boot. por ahora el que envia el ping
throw()
{
//logger
LoggerAodv::Instance()->setWorld( owner().world() );
//Tag para almacenar info stat de los nodos
iniciarTagRREQ_stat();
//llamar a la tarea nodes_ping_rask por unica vez para que configure
//los nodos envian ping
shawn::SimulationController& sc= owner_w().world_w().simulation_controller_w();
shawn::SimulationTaskHandle unSimulationTaskHandle =
sc.simulation_task_keeper_w().find_w( "nodes_pings" );
unSimulationTaskHandle->run(sc);
}
// ----------------------------------------------------------------------
void
AodvUgdProcessor::
boot( void )
throw()
{
/* const shawn::SimulationEnvironment& se = owner().world().
simulation_controller().environment();*/
crearConfiguracionAodv();
crearRouteTable();
crearProcesoDiscovrey();
crearProcesoHello();
}
// handle
// ----------------------------------------------------------------------
bool
AodvUgdProcessor::
process_message( const shawn::ConstMessageHandle& mh )
throw()
{
//no atiendo mis propios mensajes, es para controlar el nivel fisico,
//TODO se puede redefinir el loop
if( ( owner() ) == ( mh->source() ) ) return true;
//****************************************************************************
//RREQ
/*el mensaje tiene que ser todo const porque si se modifica, tambien se
modifica el mensaje para otros nodos*/
//obtiene un puntero al mensaje para no tener que crear otro
const AodvUgdRREQ* rreq = dynamic_cast< const AodvUgdRREQ*> ( mh.get() );
if ( rreq != NULL )
{
LoggerAodv::Instance()->logCsvRREQ( *rreq , owner() , "Nodo recibe RREQ");
// *rreq = es que pasa el valor de rreq
// la funcion handle_RREQ( const AodvUgdRREQ& rreq )
// se pasa por referencia para no tener que hacer una copia del objeto,
// pero se asigna const para que no se pueda modificar
handle_RREQ( *rreq );
return true;
}
//****************************************************************************
std::string miDireccion = owner().label();
//RREP
const AodvUgdRREP* rrep = dynamic_cast< const AodvUgdRREP*> ( mh.get() );
if ( rrep != NULL )
{
//el RREP es enviado por unicast, se realiza la abstracion de la capa mac aca porque
// todos los mensajes van por broadcast
std::string unicastDelRREP = rrep->getIpDestino();
if( miDireccion == unicastDelRREP ) //era para mi
{
LoggerAodv::Instance()-> logCsvRREP_Movimientos ( *rrep , owner().label() ,"Nodo recibe RREP");
handle_RREP( *rrep );
}
else if(unicastDelRREP == BROADCAST_ADDRESS) //HELLO
{
//es hello, pero se encarga el proceso HELLO
//solo por las dudas, pero deberia agarar primero el proceso HELLO el mensaje
return false;
}
return true;
}
//****************************************************************************
//RERR
const AodvUgdRERR* rerr = dynamic_cast< const AodvUgdRERR*> ( mh.get() );
if ( rerr != NULL )
{
//el RERR es enviado por unicast, se realiza la abstracion de la capa mac aca porque
// todos los mensajes van por broadcast
std::string unicastDelRERR = rerr->getIpDestino();
if( miDireccion == unicastDelRERR ) //era para mi
{
//LoggerAodv::Instance()-> logCsvRERR_Movimientos ( *rerr , owner().label() ,"Nodo recibe RERR");
handle_RERR( *rerr );
}
else if(unicastDelRERR == BROADCAST_ADDRESS) //RERR por broadcast
{
handle_RERR( *rerr );
}
return true;
}
//****************************************************************************
//si es algun otro paquete IP que no sea de AODV
const AodvUgdIpHeader* paqueteIP = dynamic_cast< const AodvUgdIpHeader*> ( mh.get() );
if ( paqueteIP != NULL )
{
//solo recibo los que tengan mi "direccion MAC" como siguiente salto
//si no es para mi ignoro
if( miDireccion != paqueteIP->getMacDestino() )
return true;
handlePaqueteIp(*paqueteIP);
}
return true; //shawn::Processor::process_message( mh );
}
//****************************************************************************
//Data
/*const AodvUgdRERR* rerr = dynamic_cast< const AodvUgdRERR*> ( mh.get() );
if ( rerr != NULL )
{
}*/
// ----------------------------------------------------------------------
void
AodvUgdProcessor::
work( void )
throw()
{
unaTablaRuteo->log();
if (owner().is_special_node() )
{
LoggerAodv::Instance()->logCsvRREQ_Buffer_comoTabla
( owner().label() , getBufferRREQ() ) ;
}
/* if(owner().current_time()==325){
const AodvUgdRREQ* pRREQ_anterrior = procesoDiscovrey->obtenerUltimoRREQ_Destino ( testDestino );
unsigned int oldTTL = pRREQ_anterrior->getTtl();
std::cout<< "************************************ RREQQQQQQQQQQQQQQQQQ Ultimo TTL: " <<oldTTL<< std::endl;
}*/
/* std::cout<< " senderPing_" << std::endl;
int min = std::numeric_limits<int>::max();
int max = std::numeric_limits<int>::min();
double avg = 0;
for ( std::map<const shawn::Node*, int>::iterator
it = network_nodes_.begin();
it != network_nodes_.end();
++it )
{
if ( it->second < min ) min = it->second;
if ( it->second > max ) max = it->second;
avg += it->second;
}
avg /= (double)network_nodes_.size();
INFO( logger(), "Number of nodes known to gate: " << network_nodes_.size() );
INFO( logger(), " Min hops: " << min );
INFO( logger(), " Max hops: " << max );
INFO( logger(), " Avg hops: " << avg );*/
}
// ----------------------------------------------------------------------
void
AodvUgdProcessor::
timeout( shawn::EventScheduler&, shawn::EventScheduler::EventHandle,
double, shawn::EventScheduler::EventTagHandle& unEventTagHandle)
throw()
{
const BufferRREQ_EventTag* unBufferRREQ_EventTag =
dynamic_cast<const BufferRREQ_EventTag*> ( unEventTagHandle.get() );
/*si se disparo el evento unEventTagHandle,
es porque expiro el tiempo de espera de un registro del buffer*/
if ( unBufferRREQ_EventTag != NULL){
std::cout<< "*************** TIMEOUT unBufferRREQ_EventTag: " << std::endl;
//por ahora solo borra del buffer
handle_EventExpireTimeBufferRREQ ( unBufferRREQ_EventTag->getRREQ_ID(),
unBufferRREQ_EventTag->getOrigino() );
}
}
// ----------------------------------------------------------------------
// get set----------------------------------------------------------------------
const unsigned int AodvUgdProcessor:: getNodoSeqNum ( void ) const throw()
{ return nodoSeqNum_;}
// metodos----------------------------------------------------------------------
// ----------------------------------------------------------------------
void
AodvUgdProcessor::
handle_RREP( const AodvUgdRREP& rrep )
throw()
{
const std::string labelDest = rrep.getDestino();
const std::string labelOrigen = rrep.getOrigen();
const std::string labelSource = rrep.source().label();
const std::string miLabelNode = owner().label();
/*check blacklist solo para RREQ*/
//sumarContadorStatGlobalRREQ_Handle();
/* std::stringstream mensaje;
mensaje <<"Handle_RREQ contador RREQs: "<<
getContadorStatGlobalRREQ_Handle( );
LoggerAodv::Instance()->logCsvRREQ(rreq , owner().label() ,mensaje.str() );
*/
//************************************************************
/* first creates or updates a route to the previous hop
se registra en la tabla la entrada PreviousHop (SOURCE)*/
registrarRutaSource ( labelSource /*direccion*/) ;
//*************************************************************
/* forward route to the Originator of the RREP*/
registrarRutaDestinoRREP (rrep ) ;
//******************************************************************
/*Si el nodo no es el origin de la solicitud de ruta, se reenvía
el RREP hacia el origen*/
/*verifico si soy el origen*/
if( miLabelNode == labelOrigen )
{
/*soy el origen*/
/* no hace falta hacer nada, en este punto se registro la entrada en la tabla
la ruta hacia el destino, se le avisa al nodo cuando se regista. */
/*
en el caso que el nextHop de la ruta este invalido puede no avisar de cambios
en la ruta hacia el destino si es que no hace falta actualizar.
pero la ruta del source si puede cambiar
como el source es el nextHop hacia la ruta..
Data packets waiting for a route (i.e., waiting for a RREP after a
RREQ has been sent) SHOULD be buffered.
*/
unaTablaRuteo->avisoDiscoveryComplete(labelDest);
}
else
{
/*nodo intermedio*/
bool existeEntrada = unaTablaRuteo->existeRutaActivaDestino(labelOrigen);
if(existeEntrada)
{
/*mandar el RREP desde nodo intermedio hacia el origen
TODO If a node forwards a RREP
over a link that is likely to have errors or be unidirectional, the
node SHOULD set the 'A' flag to require that the recipient of the
RREP acknowledge receipt of the RREP by sending a RREP-ACK message
*/
reenviarRREP_Intermedio_a_Origen ( rrep );
/*TODO registrar precursores*/
}
else
{
/*TODO drop!!*/
return;
}
}
/*unaTablaRuteo->show() ;*/
}
// ----------------------------------------------------------------------
void
AodvUgdProcessor::
reenviarRREP_Intermedio_a_Origen( const AodvUgdRREP &rrep)
throw()
{
/*forwards the RREP towards the originator using the
information in that route table entry.
por ahora dice solo eso :(
por ahora voy a sumar el hop y restar el TTl;*/
/* When any node transmits a RREP, the precursor list for the
corresponding destination node is updated by adding to it the next
hop node to which the RREP is forwarded. Also, at each node the
(reverse) route used to forward a RREP has its lifetime changed to be
the maximum of (existing-lifetime, (current time +
ACTIVE_ROUTE_TIMEOUT). Finally, the precursor list for the next hop
towards the destination is updated to contain the next hop towards
the source*/
//1
/*la lista de precursores para el nodo de destino correspondiente se
actualiza al agregarle el siguiente nodo de salto al que se reenvía el RREP.*/
std::string nextHopToOrigen = unaTablaRuteo->
devolverNextHop_a_Destino(rrep.getOrigen() ); //siguiente salto hacia la fuente
unaTablaRuteo->agregarPrecursorEntrada ( rrep.getDestino() /*dest_*/ , nextHopToOrigen /*direccionPrecursor*/);
//2
/*Además, en cada nodo, la ruta (inversa) utilizada para reenviar un RREP ha cambiado su
vida útil para ser el MAX (existing-lifetime, (tiempo actual + ACTIVE_ROUTE_TIMEOUT).*/
double tiempoActual = owner().current_time();
double lifetimeNuevo = tiempoActual + configuracion.getACTIVE_ROUTE_TIMEOUT();
double lifeTimeOrigen = unaTablaRuteo->devolverEntradaDestino ( rrep.getOrigen() )->getLifeTime();
double lifeTimeNextHop = unaTablaRuteo->devolverEntradaDestino ( nextHopToOrigen )->getLifeTime();
//para optimizar solo actualizo si es mayor pero sin asignar con MAX
//std::max ( (tiempoActual + configuracion.getACTIVE_ROUTE_TIMEOUT()) )
if ( lifeTimeOrigen < lifetimeNuevo)
unaTablaRuteo->actualizrLifeTimeEntradaActiva( rrep.getOrigen() , lifetimeNuevo);
if (lifeTimeNextHop < lifetimeNuevo)
unaTablaRuteo->actualizrLifeTimeEntradaActiva( nextHopToOrigen , lifetimeNuevo);
//3
/*Finalmente, la lista de precursores para el próximo salto hacia el destino se
actualiza para contener el siguiente salto hacia la fuente*/
std::string previousHop = rrep.source().label(); //proximo salto hacia el destino
assert (previousHop==rrep.getIpOrigen()); //verifico por las dudas
unaTablaRuteo->agregarPrecursorEntrada ( previousHop /*dest_*/ , nextHopToOrigen /*direccionPrecursor*/);
unsigned int newHop = rrep.getHops() + 1 ; //se suma el HOP!
unsigned int newTtl = rrep.getTtl () + 1 ; //se suma el TTL!
sendRREP ( rrep.getDestino() , rrep.getOrigen() , rrep.getDestSequNumb() ,
rrep.getAckFlag() , rrep.getRepairFlag() , newHop ,
rrep.getLifeTime() , newTtl , nextHopToOrigen ) ;
}
// ----------------------------------------------------------------------
/////////////////////////////////////////////////////////////////
/********************* AvisoEstadoRuta (observer) *************/
/////////////////////////////////////////////////////////////////
// ----------------------------------------------------------------------
//el proceso general se encarga de agregar a los observadores
void
AodvUgdProcessor::
agregarObservadorTabla ( ObserverEstadoRuta * unObserverEstadoRuta,
std::string destino , std::string estado ) throw()
{
unaTablaRuteo->escucharUnEstadoRuta (unObserverEstadoRuta ,destino ,estado);
}
// ----------------------------------------------------------------------
//el proceso general se encarga de quitar a los observadores
void
AodvUgdProcessor::
quitarObservadorTabla ( ObserverEstadoRuta * unObserverEstadoRuta,
std::string destino , std::string estado ) throw()
{
unaTablaRuteo->cancelarEscucharUnEstadoRuta(
unObserverEstadoRuta ,destino ,estado);
}
// ----------------------------------------------------------------------
void
AodvUgdProcessor::
handleAvisoRutaActiva ( std::string destino ) throw()
{
//**************** LOG *****************
std::ostringstream mensaje;
mensaje <<"Conoce nueva Ruta Activa.. Destino: "<<destino;
LoggerAodv::Instance()->logCsvPingDetalle(
owner().label() ,
"" /*origen*/ , destino , "AODV",
mensaje.str() );
//**************** FIN LOG ****************
//si estaba escuchando por una ruta activa es porque tenia mensajes para
//enviar
//puede ser que sea un mensaje propio o solo para enrutar.
enviarPaqutesPendientesDestino(destino);
}
// ----------------------------------------------------------------------
void
AodvUgdProcessor::
observarUnaRuta ( std::string destino, std::string estado )
throw()
{
//**************** LOG *****************
std::ostringstream mensaje;
mensaje <<"Escucha por Ruta: "<<estado<<".. Destino: "<<destino;
LoggerAodv::Instance()->logCsvPingDetalle( owner().label() ,
"" /*origen*/, destino ,"AODV", mensaje.str() );
//**************** FIN LOG ****************
agregarObservadorTabla ( this , destino , estado );
}
// ----------------------------------------------------------------------
void
AodvUgdProcessor::
cancelarObservarUnaRuta( std::string destino, std::string estado )
throw()
{
quitarObservadorTabla ( this , destino , estado );
}
/////////////////////////////////////////////////////////////////
/***************** FIN AvisoEstadoRuta (observer) *************/
/////////////////////////////////////////////////////////////////
// ----------------------------------------------------------------------
void
AodvUgdProcessor::
handle_RREQ( const AodvUgdRREQ& rreq )
throw()
{
const std::string labelDest = rreq.getDestino();
const std::string labelOrigen = rreq.getOrigen();
const std::string labelSource = rreq.source().label();
const std::string miLabelNode = owner().label();
/*TODO check blacklist*/
sumarContadorStatGlobalRREQ_Handle();
std::stringstream mensaje;
mensaje <<"Handle_RREQ contador RREQs: "<<
getContadorStatGlobalRREQ_Handle( );
LoggerAodv::Instance()->logCsvRREQ(rreq , owner().label() ,mensaje.str() );
//************************************************************
/* first creates or updates a route to the previous hop
se registra en la tabla la entrada PreviousHop (SOURCE)*/
registrarRutaSource ( labelSource /*direccion*/) ;
//*************************************************************
/* check buffer
* check checks received a RREQ with the same Originator IP Address
and RREQ ID within at least the last PATH_DISCOVERY_TIME*/
//return; si recibio
/*no se verifica si el mensaje es del propio nodo*/
if( existeRREQ_Buffer ( rreq.getRREQ_ID() , labelOrigen ) )
{
//Log
LoggerAodv::Instance()->logCsvRREQ(rreq , owner().label() ,"Drop.. Existe en Buffer" );
return;
}
else
{
agregarRREQ_Buffer ( rreq.getRREQ_ID() , labelOrigen );
}
//*************************************************************
/* reverse route to the Originator of the RREQ*/
registrarRutaOrigenRREQ (rreq ) ;
// se pasa el lifeTime y seqNum del RREQ, pero en la funcion se asigna el mayor comparando la ruta
//******************************************************************
/*Si el nodo no puede responder con un RREP a la solicitud de ruta, se reenvía el RREQ*/
/*verifico si soy el destino*/
if( miLabelNode == labelDest )
{
/*std::cout<< "soy el destino: " << miLabelNode <<" == " << labelDest << '\n'<< std::endl;
std::cout<< "destino responde RREP........ " << '\n'<< std::endl;*/
/*soy el destino, enviar un RREP que soy el destino*/
respuestaDescubrimientoRREP_Destino( labelDest /*direccionDestino*/ ,
labelOrigen /*direccionOrigen */,
rreq.getDestSequNumb()/* rreqDestSeqNum*/,
labelSource /*test!*/ );
}
else
{
/*std::cout<< "no soy el destino: " << miLabelNode <<" <> " << labelDest << '\n'<< std::endl;*/
/*nodo intermedio*/
bool intermedioRespondeRreq =
verificarIntermedioRespondeRREQ( labelDest /*dest*/ ,
rreq.getDestSequNumb() /*rreqDesSeqNum*/ ,
rreq.getDestOnlyFlag () /*rreqDestOnlyFlag*/ );
/*std::cout<< "intermedioRespondeRreq: " << intermedioRespondeRreq << '\n'<< std::endl;*/
if(intermedioRespondeRreq)
{
/*mandar un RREP desde nodo intermedio,
TODO verificar si hay que mandar un RREP-G o algo mas*/
respuestaDescubrimientoRREP_Intermedio ( labelDest /*direccionDestino*/ ,
labelOrigen/*direccionOrigen */,
labelSource /*direccionSource */);
}
else if ( rreq.getTtl() > 1) // se verifica >1 porque todavia no se resto
{
/*std::cout<< "reenviando RREQ... " << miLabelNode <<" => " << labelDest << '\n'<< std::endl;*/
reenviarRREQ_Intermedio (rreq );
/*no puedo responder con un RREP, no soy el destino / no tengo una ruta activa*/
}
else
{
/*TODO drop!!*/
std::stringstream mensaje;
mensaje <<"Drop.. RREQ TTL: "<< rreq.getTtl()-1;
LoggerAodv::Instance()->logCsvRREQ(rreq , miLabelNode ,mensaje.str() );
return;
}
}
/*unaTablaRuteo->show() ;*/
}
// ----------------------------------------------------------------------
void AodvUgdProcessor::registrarRutaSource( std::string source ) throw ()
{
double tiempoActual = owner().current_time(); //owner_w().world_w().current_time();
double lifetimeSource = configuracion.getACTIVE_ROUTE_TIMEOUT() + tiempoActual;
unsigned int sourceSeqNum = 0; //xq se saca de la ip la informacion
bool validDestSeqNum = false;
std::string state = "active";
unsigned int hops = 1; //siempre uno porque llega desde el vecino
bool existeEntrada = unaTablaRuteo->existeEntradaDestino(source);
if (existeEntrada) { //actualizar
bool condicionActualizar = verificarActualizarTablaSource(source);
/*std::cout<< "Existe Entrada : " << direccion << std::endl;*/
if (condicionActualizar) {
/*std::cout<< "Actualizar condicionActualizar: " << direccion << std::endl;*/
unaTablaRuteo->actualizrEntradaTablaToActive (source /*dest*/, sourceSeqNum,
validDestSeqNum, state, hops, source/*nextHopLabel*/, lifetimeSource);
}
} else { //crear nueva ruta
/*std::cout<< "crear Entrada: " << direccion << std::endl;*/
unaTablaRuteo->crearNuevaEntradaTabla (source /*dest*/, sourceSeqNum,
validDestSeqNum, state, hops, source/*nextHopLabel*/, lifetimeSource);
}
}
// ----------------------------------------------------------------------
void AodvUgdProcessor::registrarRutaOrigenRREQ ( const AodvUgdRREQ &rreq ) throw ()
{ //se usan solo 4 variables y se pasa el rreq, ver mas adelante
/* When the reverse route is created or updated, the following actions on the route are also carried out:
1. the Originator Sequence Number from the RREQ is compared to the
corresponding destination sequence number in the route table entry
and copied if greater than the existing value there
2. the valid sequence number field is set to true;
3. the next hop in the routing table becomes the node from which the
RREQ was received (it is obtained from the source IP address in
the IP header and is often not equal to the Originator IP Address
field in the RREQ message);
4. the hop count is copied from the Hop Count in the RREQ message;
Whenever a RREQ message is received, the Lifetime of the reverse
route entry for the Originator IP address is set to be the maximum of
(ExistingLifetime, MinimalLifetime), where
MinimalLifetime = (current time + 2*NET_TRAVERSAL_TIME -
2*HopCount*NODE_TRAVERSAL_TIME).*/
/* - Si se crea o se actualiza la ruta al origen se llevan a cabo las siguientes acciones:
RutaOrigen.Activa=TRUE
RutaOrigen.NextHop=ip.DireccionOrigen
RutaOrigen.Hop= RREQ.Hop (fue aumentado en el paso 3)
RutaOrigen.LifeTime=max(existingLifeTime, minimalLifeTime)
-minimalLifeTime=(tiempoActual + 2*NET_TRAVERSAL_TIME - 2*HopCount*NODE_TRAVERSAL_TIME)
RutaOrigen.DestSeqNum=max(RREQ.DestSeqNum, RutaOrigen.DestSeqNum)
RutaOrigen.ValidDestSeqNum=TRUE*/
double tiempoActual = owner().current_time();
const std::string sourceLabel = rreq.source().label();
std::string origen = rreq.getOrigen();
unsigned int origenSeqNum = rreq.getOrigenSequNumb();
bool validDestSeqNum = true;
std::string state = "active";
unsigned int hops = rreq.getHops()+1;
double minimalLifeTime = (tiempoActual + 2 * configuracion.getNET_TRAVERSAL_TIME() -
2 * hops * configuracion.getNODE_TRAVERSAL_TIME() );
//(tiempoActual + 2 * NET_TRAVERSAL_TIME - 2 * HopCount * NODE_TRAVERSAL_TIME)
bool existeEntrada = unaTablaRuteo->existeEntradaDestino(origen);
if (existeEntrada) { //actualizar
bool condicionActualizar = verificarActualizarTablaOrigenRREQ(origen ,
origenSeqNum ,
hops );
if (condicionActualizar) {
/*asigna el lifetime max*/
double existingLifeTime = unaTablaRuteo->devolverEntradaDestino ( origen )->getLifeTime();
minimalLifeTime = std::max ( existingLifeTime , minimalLifeTime );
/*si existe la entrada verifica el seqNum max*/
unsigned int entradaDestSeqNum = unaTablaRuteo->devolverEntradaDestino ( origen )->getDestSequenceNumber();
origenSeqNum = std::max ( entradaDestSeqNum , origenSeqNum );
unaTablaRuteo->actualizrEntradaTablaToActive ( origen /*dest*/, origenSeqNum,
validDestSeqNum, state, hops,
sourceLabel/*nextHopLabel*/,
minimalLifeTime );
}
} else { //crear nueva ruta
unaTablaRuteo->crearNuevaEntradaTabla ( origen /*dest*/, origenSeqNum,
validDestSeqNum, state, hops,
sourceLabel/*nextHopLabel*/,
minimalLifeTime );
}
}
// ----------------------------------------------------------------------
void AodvUgdProcessor::registrarRutaDestinoRREP ( const AodvUgdRREP &rrep ) throw ()
{ //se usan 4 variables, ver mas adelante
//es la ruta hacia adelante (forward)
/* If the route table entry to the destination is created or updated,
then the following actions occur:
(1) the route is marked as active,
(2) the destination sequence number is marked as valid,
(3) the next hop in the route entry is assigned to be the node from
which the RREP is received, which is indicated by the source IP
address field in the IP header,
(4) the hop count is set to the value of the New Hop Count,
(5) the expiry time is set to the current time plus the value of the
Lifetime in the RREP message,
(6) and the destination sequence number is the Destination Sequence
Number in the RREP message.*/
/* - Si se crea o se actualiza la ruta al destino se llevan a cabo las
siguientes acciones:*/
double tiempoActual = owner().current_time();
std::string destino = rrep.getDestino();
/*(1)*/ std::string state = "active";
/*(2)*/ bool validDestSeqNum = true;
/*(3)*/ const std::string sourceLabel = rrep.source().label();
/*(4)*/ unsigned int hops = rrep.getHops()+1;
/*(5)*/ double lifeTime = ( tiempoActual + rrep.getLifeTime() );
/*(6)*/ unsigned int destinoSeqNum = rrep.getDestSequNumb();
bool existeEntrada = unaTablaRuteo->existeEntradaDestino(destino);
if (existeEntrada) { //actualizar
bool condicionActualizar = verificarActualizaTablaDestinoRREP(
destino ,destinoSeqNum , hops );
if (condicionActualizar)
{
unaTablaRuteo->actualizrEntradaTablaToActive ( destino /*dest*/, destinoSeqNum,
validDestSeqNum, state, hops,
sourceLabel/*nextHopLabel*/,
lifeTime );
}
}
else { //crear nueva ruta
unaTablaRuteo->crearNuevaEntradaTabla ( destino /*dest*/, destinoSeqNum,
validDestSeqNum, state, hops,
sourceLabel/*nextHopLabel*/,
lifeTime );
}
}
// ----------------------------------------------------------------------
bool
AodvUgdProcessor::
verificarActualizarTablaSource( std::string source )
throw()
{
/*
NOTA: no se especifica que se actualiza directamente si la entrada es invalida,
pero por ahora lo de esa forma debido a errores al rutear..*/
bool actualizar=false;
const AodvUgdTableEntery *unaEntrada= unaTablaRuteo->devolverEntradaDestino(source);
if(! unaEntrada->getIsActive() )
return true;
/* 6.2. Route Table Entries and Precursor Lists
The route is only updated if
the new sequence number is either
(i) higher than the destination sequence number in the route
table, or
(no se verifica porque no hay DestSeqNum para el Source)
(ii) the sequence numbers are equal, but the hop count (of the
new information) plus one, is smaller than the existing hop
count in the routing table, or
(no se verifica porque no hay DestSeqNum para el Source)
(iii) the sequence number is unknown.*/
/* Como no hay destSequencenumber, solo puedo actualizar:
si la entrada tiene el un seqNumInvalido
seria no tengo mensajeDestSeqNum para comparar */
if( !(unaEntrada->getValidDestSeqNum()) ) //invalid= unknown
actualizar=true;
return actualizar;
}
// ----------------------------------------------------------------------
bool
AodvUgdProcessor::
verificarActualizarTablaOrigenRREQ( std::string direccion ,
unsigned int mensajeDestSeqNum ,
unsigned int mensajeHops)
throw()
{
/*
NOTA: no se especifica que se actualiza directamente si la entrada es invalida,
pero por ahora lo de esa forma debido a errores al rutear..*/
bool actualizar=false;
const AodvUgdTableEntery *unaEntrada= unaTablaRuteo->devolverEntradaDestino(direccion);
if(! unaEntrada->getIsActive() )
return true;
/* 6.2. Route Table Entries and Precursor Lists
The route is only updated if
the new sequence number is either
(1) higher than the destination sequence number in the route
table, or
(2) the sequence numbers are equal, but the hop count (of the
new information) plus one, is smaller than the existing hop
count in the routing table, or
(3) the sequence number is unknown.*/
/*(3)*/if( !( unaEntrada->getValidDestSeqNum()) ) // invalid= unknown
actualizar=true;
/*(1)*/else if( mensajeDestSeqNum > ( unaEntrada->getDestSequenceNumber() ) )// valid seqNum
actualizar=true;
/*(2)*/else if( mensajeDestSeqNum == unaEntrada->getDestSequenceNumber()
&& mensajeHops< unaEntrada->getHops() )
actualizar=true;
return actualizar;
}
// ----------------------------------------------------------------------
bool
AodvUgdProcessor::
verificarActualizaTablaDestinoRREP( std::string direccion ,
unsigned int mensajeDestSeqNum ,
unsigned int mensajeHops)
throw()
{
/* the existing entry is updated only in the following circumstances:
(1) the sequence number in the routing table is marked as
invalid in route table entry.
(2) the Destination Sequence Number in the RREP is greater than
the node's copy of the destination sequence number and the
known value is valid, or
(3) the sequence numbers are the same, but the route is is
marked as inactive, or
(4) the sequence numbers are the same, and the New Hop Count is
smaller than the hop count in route table entry.*/
/* muy parecido con la verificacion del RREQ pero ademas verifica si los
seqNum son iguales y la ruta esta inactiva*/
bool actualizar=false;
const AodvUgdTableEntery *unaEntrada= unaTablaRuteo->devolverEntradaDestino(direccion);
if ( unaEntrada->getValidDestSeqNum() )
{
/*(2)*/ if( mensajeDestSeqNum > unaEntrada->getDestSequenceNumber() )
actualizar = true;
}
else
{ //seqNum invalido
/*(1)*/ actualizar = true;
}
if ( mensajeDestSeqNum == unaEntrada->getDestSequenceNumber() ) //seqNum iguales
{
/*(3)*/ if( !unaEntrada->getIsActive() )// entrada inactiva
actualizar = true;
/*(4)*/ if( mensajeHops< unaEntrada->getHops() )
actualizar = true;
}
return actualizar;
}
// ----------------------------------------------------------------------
void
AodvUgdProcessor::
respuestaDescubrimientoRREP_Destino( std::string direccionDestino , std::string direccionOrigen ,
unsigned int rreqDestSeqNum, std::string labelSource /*test*/)
throw()
{
/* Si RREQ.DestSeqNum==Nodo.SeqNum se aumenta el número de secuencia del nodo (Nodo.SeqNum++)
RREP.DestSeqNum = Nodo.SeqNum
RREP.Hop=0
RREP.lifeTime=MY_ROUTE_TIMEOUT*/
double lifeTime = configuracion.getMY_ROUTE_TIMEOUT();
bool ackFlag = false; //TODO
bool repairFlag = false; //TODO
unsigned ttlRREP = configuracion.getNET_DIAMETER(); //TODO por ahora se utiliza esa valor, no aclara en el rfc
/*section 6.1 TODO
Immediately before a destination node originates a RREP in
response to a RREQ, it MUST update its own sequence number to the
maximum of its current sequence number and the destination
sequence number in the RREQ packet.*/
/*6.6.1. Route Reply Generation by the Destination
If the generating node is the destination itself, it MUST increment
its own sequence number by one if the sequence number in the RREQ
packet is equal to that incremented value*/
if( nodoSeqNum_ == rreqDestSeqNum)
{
nodoSeqNum_++;
}
//el RREP se envia por el NextHop hacia el origen
std:: string direccionNextHop = unaTablaRuteo->devolverEntradaDestino(direccionOrigen)->getNextHop();
// mi ip va en el encabezado
std:: string ipOrigen = owner().label();
//verifico para hacer la abstraccion si siempre el NextHop es el Source
assert( labelSource == direccionNextHop );//despues poner en un log para sacar stat
AodvUgdRREP* pRREP = new AodvUgdRREP
( direccionDestino , direccionOrigen , nodoSeqNum_ /*destSequNumb*/ ,
ackFlag , repairFlag ,
0 /*hops*/ , lifeTime , ttlRREP , direccionNextHop ,ipOrigen);
send ( pRREP ) ;
return ;
}
// ----------------------------------------------------------------------
void
AodvUgdProcessor::
respuestaDescubrimientoRREP_Intermedio( std::string direccionDestino , std::string direccionOrigen ,std::string direccionSource )
throw()