OpenSDN source code
All Classes Namespaces Files Functions Variables Typedefs Enumerations Enumerator Friends Macros Pages
agent_param.cc
Go to the documentation of this file.
1 /*
2  * Copyright (c) 2013 Juniper Networks, Inc. All rights reserved.
3  */
4 
5 /*
6  * Agent parameters are derived from 3 entities in increasing priority,
7  * - System information
8  * - Configuration file
9  * - Parameters
10  */
11 
12 #include "base/os.h"
13 #include <sys/types.h>
14 #include <sys/stat.h>
15 #include <sys/resource.h>
16 #include <net/if_arp.h>
17 #include <unistd.h>
18 #include <iostream>
19 #include <string>
20 
21 #include <boost/property_tree/ini_parser.hpp>
22 #include <boost/algorithm/string.hpp>
23 #include <boost/foreach.hpp>
24 #include <boost/program_options.hpp>
25 #include <boost/thread/thread.hpp>
26 
28 #include <base/logging.h>
29 #include <base/misc_utils.h>
30 #include <base/options_util.h>
31 
33 
34 #include <sandesh/sandesh_trace.h>
35 
36 #include <cmn/agent_cmn.h>
37 #include <init/agent_param.h>
38 #include <vgw/cfg_vgw.h>
39 
40 using namespace std;
41 using namespace boost::property_tree;
42 using boost::optional;
43 namespace opt = boost::program_options;
44 using namespace options::util;
45 
46 bool AgentParam::GetIpAddress(const string &str, Ip4Address *addr) {
47  boost::system::error_code ec;
48  Ip4Address tmp = Ip4Address::from_string(str, ec);
49  if (ec.value() != 0) {
50  return false;
51  }
52  *addr = tmp;
53  return true;
54 }
55 
56 bool AgentParam::ParseIp(const string &key, Ip4Address *server) {
57  optional<string> opt_str;
58  if (opt_str = tree_.get_optional<string>(key)) {
59  Ip4Address addr;
60  if (GetIpAddress(opt_str.get(), &addr) == false) {
61  LOG(ERROR, "Error in config file <" << config_file_
62  << ">. Error parsing IP address from <"
63  << opt_str.get() << ">");
64  return false;
65 
66  } else {
67  *server = addr;
68  }
69  }
70  return true;
71 }
72 
73 bool AgentParam::ParseServerList(const string &key, Ip4Address *server1,
74  Ip4Address *server2) {
75  optional<string> opt_str;
76  Ip4Address addr;
77  vector<string> tokens;
78  if (opt_str = tree_.get_optional<string>(key)) {
79  boost::split(tokens, opt_str.get(), boost::is_any_of(" \t"));
80  if (tokens.size() > 2) {
81  LOG(ERROR, "Error in config file <" << config_file_
82  << ">. Cannot have more than 2 servers <"
83  << opt_str.get() << ">");
84  return false;
85  }
86  vector<string>::iterator it = tokens.begin();
87  if (it != tokens.end()) {
88  if (!GetIpAddress(*it, server1)) {
89  return false;
90  }
91  ++it;
92  if (it != tokens.end()) {
93  if (!GetIpAddress(*it, server2)) {
94  return false;
95  }
96  }
97  }
98  }
99  return true;
100 }
101 
102 // Parse address string in the form <ip>:<port>
103 bool AgentParam::ParseAddress(const std::string &addr_string,
104  Ip4Address *server, uint16_t *port) {
105  vector<string> tokens;
106  boost::split(tokens, addr_string, boost::is_any_of(":"));
107  if (tokens.size() > 2) {
108  cout << "Error in config file <" << config_file_
109  << ">. Improper server address <" << addr_string << ">\n";
110  return false;
111  }
112  vector<string>::iterator it = tokens.begin();
113  if (!GetIpAddress(*it, server)) {
114  cout << "Error in config file <" << config_file_
115  << ">. Improper server address <" << addr_string << ">\n";
116  return false;
117  }
118  ++it;
119  if (it != tokens.end()) {
120  stringToInteger(*it, *port);
121  }
122 
123  return true;
124 }
125 
126 // Parse list of servers in the <ip1>:<port1> <ip2>:<port2> format
127 bool AgentParam::ParseServerList(const std::string &key,
128  Ip4Address *server1, uint16_t *port1,
129  Ip4Address *server2, uint16_t *port2) {
130  optional<string> opt_str;
131  if (opt_str = tree_.get_optional<string>(key)) {
132  vector<string> tokens;
133  boost::split(tokens, opt_str.get(), boost::is_any_of(" \t"));
134  if (tokens.size() > 2) {
135  cout << "Error in config file <" << config_file_
136  << ">. Cannot have more than 2 DNS servers <"
137  << opt_str.get() << ">\n";
138  return false;
139  }
140  vector<string>::iterator it = tokens.begin();
141  if (it != tokens.end()) {
142  if (!ParseAddress(*it, server1, port1))
143  return false;
144  ++it;
145  if (it != tokens.end()) {
146  return ParseAddress(*it, server2, port2);
147  }
148  }
149  }
150  return true;
151 }
152 
154  (const boost::program_options::variables_map &var_map, Ip4Address &server,
155  const string &key) {
156 
157  if (var_map.count(key)) {
158  Ip4Address addr;
159  if (GetIpAddress(var_map[key].as<string>(), &addr)) {
160  server = addr;
161  }
162  }
163 }
164 
166  (const boost::program_options::variables_map &var_map, Ip4Address &server1,
167  Ip4Address &server2, const string &key) {
168 
169  if (var_map.count(key)) {
170  vector<string> value = var_map[key].as<vector<string> >();
171  if (value.size() == 1) {
172  boost::split(value, value[0], boost::is_any_of(" \t"));
173  }
174  if (value.size() > 2) {
175  cout << "Error in Arguments. Cannot have more than 2 servers for "
176  << key << "\n";
177  return false;
178  }
179  vector<string>::iterator it = value.begin();
180  Ip4Address addr;
181  if (it != value.end()) {
182  if (GetIpAddress(*it, &addr)) {
183  server1 = addr;
184  }
185  ++it;
186  if (it != value.end()) {
187  if (GetIpAddress(*it, &addr)) {
188  server2 = addr;
189  }
190  }
191  }
192  }
193  return true;
194 }
195 
197  (const boost::program_options::variables_map &var_map, Ip4Address *server1,
198  uint16_t *port1, Ip4Address *server2, uint16_t *port2,
199  const std::string &key) {
200 
201  if (var_map.count(key)) {
202  vector<string> value = var_map[key].as<vector<string> >();
203  if (value.size() == 1) {
204  boost::split(value, value[0], boost::is_any_of(" \t"));
205  }
206  if (value.size() > 2) {
207  LOG(ERROR, "Error in Arguments. Cannot have more than 2 servers "
208  "for " << key );
209  return false;
210  }
211  vector<string>::iterator it = value.begin();
212  if (it != value.end()) {
213  if (!ParseAddress(*it, server1, port1))
214  return false;
215  ++it;
216  if (it != value.end()) {
217  return ParseAddress(*it, server2, port2);
218  }
219  }
220  }
221  return true;
222 }
223 
224 std::map<string, std::map<string, string> >
225 AgentParam::ParseDerivedStats(const std::vector<std::string> &dsvec) {
226  std::map<string, std::map<string, string> > dsmap;
227  std::map<string, std::map<string, string> >::iterator dsiter;
228 
229  for (size_t idx=0; idx!=dsvec.size(); idx++) {
230  size_t pos = dsvec[idx].find(':');
231  if(pos == string::npos) {
232  LOG(ERROR,
233  "Error config-file, DerivedStats parsing: dsvec size "
234  << dsvec.size() << " at index " << idx << ": " <<dsvec[idx]
235  << ". BackTrace: " << AgentBackTrace(1));
236  _Exit(0);
237  }
238  string dsfull = dsvec[idx].substr(0,pos);
239  string dsarg = dsvec[idx].substr(pos+1, string::npos);
240 
241  size_t dpos = dsfull.find('.');
242  if(dpos == string::npos) {
243  LOG(ERROR,
244  "Error config-file, DerivedStats parsing: dsvec size "
245  << dsvec.size() << " at index " << idx << ": " <<dsvec[idx]
246  << ". substr: " << dsfull << ". BackTrace: " << AgentBackTrace(1));
247  _Exit(0);
248  }
249  string dsstruct = dsfull.substr(0,dpos);
250  string dsattr = dsfull.substr(dpos+1, string::npos);
251 
252  dsiter = dsmap.find(dsstruct);
253  std::map<string, string> dselem;
254  if (dsiter!=dsmap.end()) dselem = dsiter->second;
255  dselem[dsattr] = dsarg;
256 
257  dsmap[dsstruct] = dselem;
258  }
259  return dsmap;
260 }
261 
262 void AgentParam::BuildAddressList(const string &val) {
263  compute_node_address_list_.clear();
264  if (val.empty()) {
265  return;
266  }
267 
268  vector<string> tokens;
269  boost::split(tokens, val, boost::is_any_of(" "));
270  vector<string>::iterator it = tokens.begin();
271  while (it != tokens.end()) {
272  std::string str = *it;
273  ++it;
274 
275  boost::algorithm::trim(str);
276  Ip4Address addr;
277  if (GetIpAddress(str, &addr)) {
278  compute_node_address_list_.push_back(addr);
279  } else {
280  LOG(ERROR, "Error in parsing address " << *it);
281  }
282  }
283 }
284 
285 void AgentParam::set_agent_mode(const std::string &mode) {
286  std::string agent_mode = boost::to_lower_copy(mode);
287  if (agent_mode == "tsn")
288  agent_mode_ = TSN_AGENT;
289  else if (agent_mode == "tsn-no-forwarding")
290  agent_mode_ = TSN_NO_FORWARDING_AGENT;
291  else if (agent_mode == "tor")
292  agent_mode_ = TOR_AGENT;
293  else
294  agent_mode_ = VROUTER_AGENT;
295 }
296 
297 void AgentParam::set_gateway_mode(const std::string &mode) {
298  std::string gateway_mode = boost::to_lower_copy(mode);
299  if (gateway_mode == "server")
300  gateway_mode_ = SERVER;
301  else if (gateway_mode == "vcpe")
302  gateway_mode_ = VCPE;
303  else if (gateway_mode == "pbb")
304  gateway_mode_ = PBB;
305  else
306  gateway_mode_ = NONE;
307 }
308 
310 
311  const std::string qos_str = "QUEUE";
312  std::string input;
313  std::vector<std::string> tokens;
314  std::string sep = "[],";
315  BOOST_FOREACH(const ptree::value_type &section, tree_) {
316  if (section.first.compare(0, qos_str.size(), qos_str) != 0) {
317  continue;
318  }
319  uint16_t queue;
320  std::string hw_queue = section.first;
321  if (sscanf(hw_queue.c_str(), "QUEUE-%hu", &queue) != 1) {
322  continue;
323  }
324  BOOST_FOREACH(const ptree::value_type &key, section.second) {
325  if (key.first.compare("logical_queue") == 0) {
326  input = key.second.get_value<string>();
327  boost::split(tokens, input, boost::is_any_of(sep),
328  boost::token_compress_on);
329 
330  for (std::vector<string>::const_iterator it = tokens.begin();
331  it != tokens.end(); it++) {
332 
333  if (*it == Agent::NullString()) {
334  continue;
335  }
336 
337  string range = *it;
338  nic_queue_list_.insert(queue);
339  std::vector<uint16_t> range_value;
340  if (stringToIntegerList(range, "-", range_value)) {
341  if (range_value.size() == 1) {
342  qos_queue_map_[range_value[0]] = queue;
343  continue;
344  }
345 
346  if (range_value[0] > range_value[1]) {
347  continue;
348  }
349 
350  for (uint16_t i = range_value[0]; i <= range_value[1]; i++) {
351  qos_queue_map_[i] = queue;
352  }
353  }
354  }
355  }
356  if (key.first.compare("default_hw_queue") == 0) {
357  bool is_default = key.second.get_value<bool>();
358  if (is_default) {
359  default_nic_queue_ = queue;
360  }
361  }
362  }
363  }
364  GetValueFromTree<uint32_t>(task_monitor_timeout_msec_,
365  "TASK.task_monitor_timeout");
366 }
367 
369  (const boost::program_options::variables_map &var_map) {
370  slo_destination_.clear();
371  sample_destination_.clear();
372  GetOptValue< vector<string> >(var_map, slo_destination_,
373  "SESSION.slo_destination");
374  GetOptValue< vector<string> >(var_map, sample_destination_,
375  "SESSION.sample_destination");
376  //validate the string
377  std::set<string> valid_dest_values;
378  valid_dest_values.insert("collector");
379  valid_dest_values.insert("file");
380  valid_dest_values.insert("syslog");
381  valid_dest_values.insert("");
382  for (uint32_t i=0; i<slo_destination_.size(); i++) {
383 
384  if(valid_dest_values.find(slo_destination_[i]) ==
385  valid_dest_values.end()) {
386  LOG(ERROR,
387  "Error in config file <" << config_file_
388  << ">. Error parsing slo_destination, size "
389  << slo_destination_.size() << " at index " << i << ":"
390  << slo_destination_[i]
391  << ". BackTrace: " << AgentBackTrace(1));
392  _Exit(0);
393  }
394 
395  }
396  for (uint32_t i=0; i<sample_destination_.size(); i++) {
397 
398  if(valid_dest_values.find(sample_destination_[i]) ==
399  valid_dest_values.end()) {
400  LOG(ERROR,
401  "Error in config file <" << config_file_
402  << ">. Error parsing sample_destination, size "
403  << sample_destination_.size() << " at index " << i << ":"
404  << sample_destination_[i]
405  << ". BackTrace: " << AgentBackTrace(1));
406  _Exit(0);
407  }
408 
409  }
410 }
411 
413  (const boost::program_options::variables_map &var_map) {
414  collector_server_list_.clear();
415  GetOptValueIfNotDefaulted< vector<string> >(var_map, collector_server_list_,
416  "DEFAULT.collectors");
417  if (collector_server_list_.size() == 1) {
418  boost::split(collector_server_list_, collector_server_list_[0],
419  boost::is_any_of(" "));
420  }
421 }
422 
424  (const boost::program_options::variables_map &var_map) {
425  controller_server_list_.clear();
426  GetOptValueIfNotDefaulted< vector<string> >(var_map, controller_server_list_,
427  "CONTROL-NODE.servers");
428  if (controller_server_list_.size() == 1) {
429  boost::split(controller_server_list_, controller_server_list_[0],
430  boost::is_any_of(" "));
431  }
432  GetOptValue<string>(var_map, subcluster_name_, "CONTROL-NODE.subcluster_name");
433 }
434 
436  (const boost::program_options::variables_map &var_map) {
437  dns_server_list_.clear();
438  GetOptValueIfNotDefaulted< vector<string> >(var_map, dns_server_list_,
439  "DNS.servers");
440  if (dns_server_list_.size() == 1) {
441  boost::split(dns_server_list_, dns_server_list_[0],
442  boost::is_any_of(" "));
443  }
444 }
445 
447  (const boost::program_options::variables_map &var_map) {
448  tsn_server_list_.clear();
449  GetOptValueIfNotDefaulted< vector<string> >(var_map, tsn_server_list_,
450  "DEFAULT.tsn_servers");
451  if (tsn_server_list_.size() == 1) {
452  boost::split(tsn_server_list_, tsn_server_list_[0],
453  boost::is_any_of(" "));
454  }
455  std::sort(tsn_server_list_.begin(), tsn_server_list_.end());
456 }
457 
459  (const boost::program_options::variables_map &var_map) {
460  GetOptValueIfNotDefaulted< vector<string> >(var_map, collector_server_list_,
461  "DEFAULT.collectors");
462  vector<string> dsvec;
463  if (GetOptValueIfNotDefaulted< vector<string> >(var_map, dsvec,
464  "DEFAULT.derived_stats")) {
465  derived_stats_map_ = ParseDerivedStats(dsvec);
466  }
467 }
468 
469 void AgentParam::BuildAddrList(const string &val, AddressList& addr_list) {
470  addr_list.clear();
471  if (val.empty()) {
472  return;
473  }
474 
475  vector<string> tokens;
476  boost::split(tokens, val, boost::is_any_of(" "));
477  vector<string>::iterator it = tokens.begin();
478  while (it != tokens.end()) {
479  std::string str = *it;
480  ++it;
481 
482  boost::algorithm::trim(str);
483  Ip4Address addr;
484  int plen;
485  if (str.find('/') != std::string::npos) {
486  boost::system::error_code ec =
487  Ip4PrefixParse(str, &addr, &plen);
488  if (ec.failed() || vhost_.plen_ >= 32) {
489  LOG(ERROR, "Error in parsing address " << *it);
490  } else {
491  addr_list.push_back(addr);
492  eth_port_plen_list_.push_back(plen);
493  }
494  } else {
495  if (GetIpAddress(str, &addr)) {
496  addr_list.push_back(addr);
497  } else {
498  LOG(ERROR, "Error in parsing address " << *it);
499  }
500  }
501  }
502 }
503 
505  (const boost::program_options::variables_map &var_map) {
506  boost::system::error_code ec;
507 
508  GetOptValue<string>(var_map, vhost_.name_, "VIRTUAL-HOST-INTERFACE.name");
509  string ip;
510  if (GetOptValue<string>(var_map, ip, "VIRTUAL-HOST-INTERFACE.ip")) {
511  ec = Ip4PrefixParse(ip, &vhost_.addr_, &vhost_.plen_);
512  if (ec.failed() || vhost_.plen_ >= 32) {
513  cout << "Error parsing vhost ip argument from <" << ip << ">\n";
514  }
515  }
516  //ParseIpArgument(var_map, vhost_.gw_, "VIRTUAL-HOST-INTERFACE.gateway");
517 
518  eth_port_list_.clear();
519  GetOptValueIfNotDefaulted< vector<string> >(var_map, eth_port_list_,
520  "VIRTUAL-HOST-INTERFACE.physical_interface");
521  if (eth_port_list_.size() == 1) {
522  boost::split(eth_port_list_, eth_port_list_[0],
523  boost::is_any_of(" "));
524  }
525 
526  string eth_port_addr_list;
527  if (GetOptValue<string>(var_map, eth_port_addr_list,
528  "VIRTUAL-HOST-INTERFACE.physical_interface_addr")) {
529  BuildAddrList(eth_port_addr_list, eth_port_addr_list_);
530  }
531 
532  string gateway_list;
533  if (GetOptValue<string>(var_map, gateway_list,
534  "VIRTUAL-HOST-INTERFACE.gateway")) {
535  BuildAddrList(gateway_list, gateway_list_);
536  }
537 
538  ParseIpArgument(var_map, loopback_ip_, "VIRTUAL-HOST-INTERFACE.loopback_ip");
539 }
540 
542  (const boost::program_options::variables_map &var_map) {
543  GetOptValue<uint16_t>(var_map, dns_client_port_, "DNS.dns_client_port");
544  GetOptValue<uint32_t>(var_map, dns_timeout_, "DNS.dns_timeout");
545  GetOptValue<uint32_t>(var_map, dns_max_retries_, "DNS.dns_max_retries");
546 }
547 
549  (const boost::program_options::variables_map &var_map) {
550  ParseIpArgument(var_map, mgmt_ip_, "NETWORKS.control_network_ip");
551 }
552 
554  (const boost::program_options::variables_map &var_map) {
555  boost::system::error_code ec;
556  if (var_map.count("HYPERVISOR.type") &&
557  !var_map["HYPERVISOR.type"].defaulted()) {
558  if (var_map["HYPERVISOR.type"].as<string>() == "xen") {
559  hypervisor_mode_ = AgentParam::MODE_XEN;
560  GetOptValue<string>(var_map, xen_ll_.name_,
561  "HYPERVISOR.xen_ll_interface");
562 
563  if (var_map.count("HYPERVISOR.xen_ll_ip")) {
564  string ip = var_map["HYPERVISOR.xen_ll_ip"].as<string>();
565  ec = Ip4PrefixParse(ip, &xen_ll_.addr_, &xen_ll_.plen_);
566  if (ec.failed() || xen_ll_.plen_ >= 32) {
567  cout << "Error in argument <" << config_file_
568  << ">. Error parsing Xen Link-local ip-address from <"
569  << ip << ">\n";
570  exit(EINVAL);
571  }
572  }
573  } else if (var_map["HYPERVISOR.type"].as<string>() == "vmware") {
574  hypervisor_mode_ = AgentParam::MODE_VMWARE;
575  GetOptValue<string>(var_map, vmware_physical_port_,
576  "HYPERVISOR.vmware_physical_interface");
577  } else {
578  hypervisor_mode_ = AgentParam::MODE_KVM;
579  }
580  }
581 
582  if (var_map.count("HYPERVISOR.vmware_mode") &&
583  !var_map["HYPERVISOR.vmware_mode"].defaulted()) {
584  cout << " vmware_mode is " << var_map["HYPERVISOR.vmware_mode"].as<string>() << endl;
585  if (var_map["HYPERVISOR.vmware_mode"].as<string>() == "vcenter") {
586  vmware_mode_ = VCENTER;
587  } else if (var_map["HYPERVISOR.vmware_mode"].as<string>() ==
588  "esxi_neutron") {
589  vmware_mode_ = ESXI_NEUTRON;
590  } else {
591  cout << "Error in parsing arguement for HYPERVISOR.vmware_mode <"
592  << var_map["HYPERVISOR.vmware_mode"].as<string>() << endl;
593  return;
594  }
595  }
596  if (!GetValueFromTree<uint16_t>(vmi_vm_vn_uve_interval_,
597  "DEFAULT.vmi_vm_vn_uve_interval")) {
598  vmi_vm_vn_uve_interval_ = Agent::kDefaultVmiVmVnUveInterval;
599  }
600 }
601 
603  (const boost::program_options::variables_map &var_map) {
604 
605  GetOptValue<uint16_t>(var_map, flow_cache_timeout_,
606  "DEFAULT.flow_cache_timeout");
607  GetOptValue<uint32_t>(var_map, stale_interface_cleanup_timeout_,
608  "DEFAULT.stale_interface_cleanup_timeout");
609  GetOptValue<string>(var_map, host_name_, "DEFAULT.hostname");
610  GetOptValue<string>(var_map, agent_name_, "DEFAULT.agent_name");
611  GetOptValue<uint16_t>(var_map, http_server_port_,
612  "DEFAULT.http_server_port");
613  GetOptValue<uint16_t>(var_map, rest_port_,
614  "DEFAULT.rest_port");
615  GetOptValue<string>(var_map, log_category_, "DEFAULT.log_category");
616  GetOptValue<string>(var_map, log_file_, "DEFAULT.log_file");
617  GetOptValue<int>(var_map, log_files_count_, "DEFAULT.log_files_count");
618  GetOptValue<long>(var_map, log_file_size_, "DEFAULT.log_file_size");
619  GetOptValue<string>(var_map, log_level_, "DEFAULT.log_level");
620  GetOptValue<string>(var_map, syslog_facility_, "DEFAULT.syslog_facility");
621 
622  GetOptValue<bool>(var_map, xmpp_auth_enable_, "DEFAULT.xmpp_auth_enable");
623  GetOptValue<bool>(var_map, xmpp_dns_auth_enable_,
624  "DEFAULT.xmpp_dns_auth_enable");
625  GetOptValue<string>(var_map, xmpp_server_cert_, "DEFAULT.xmpp_server_cert");
626  GetOptValue<string>(var_map, xmpp_server_key_,
627  "DEFAULT.xmpp_server_key");
628  GetOptValue<string>(var_map, xmpp_ca_cert_, "DEFAULT.xmpp_ca_cert");
629 
630  GetOptValue<bool>(var_map, subnet_hosts_resolvable_,
631  "DEFAULT.subnet_hosts_resolvable");
632  GetOptValue<uint16_t>(var_map, mirror_client_port_,
633  "DEFAULT.mirror_client_port");
634  GetOptValue<uint32_t>(var_map, pkt0_tx_buffer_count_,
635  "DEFAULT.pkt0_tx_buffers");
636  GetOptValue<bool>(var_map, measure_queue_delay_,
637  "DEFAULT.measure_queue_delay");
638  GetOptValue<string>(var_map, tunnel_type_,
639  "DEFAULT.tunnel_type");
640  GetOptValue<uint16_t>(var_map, min_aap_prefix_len_,
641  "DEFAULT.min_aap_prefix_len");
642  GetOptValue<uint16_t>(var_map, vmi_vm_vn_uve_interval_,
643  "DEFAULT.vmi_vm_vn_uve_interval");
644  GetOptValue<bool>(var_map, mvpn_ipv4_enable_,
645  "DEFAULT.mvpn_ipv4_enable");
646  float high_watermark = 0;
647  if (GetOptValue<float>(var_map, high_watermark, "DEFAULT.vr_object_high_watermark")) {
648  vr_object_high_watermark_ = high_watermark;
649  }
650 }
651 
653  (const boost::program_options::variables_map &var_map) {
654  GetOptValue<uint32_t>(var_map, tbb_thread_count_,
655  "TASK.thread_count");
656  GetOptValue<uint32_t>(var_map, tbb_exec_delay_,
657  "TASK.log_exec_threshold");
658  GetOptValue<uint32_t>(var_map, tbb_schedule_delay_,
659  "TASK.log_schedule_threshold");
660  GetOptValue<uint32_t>(var_map, tbb_keepawake_timeout_,
661  "TASK.tbb_keepawake_timeout");
662  GetOptValue<uint32_t>(var_map, task_monitor_timeout_msec_,
663  "TASK.task_monitor_timeout");
664  GetOptValue<string>(var_map, ksync_thread_cpu_pin_policy_,
665  "TASK.ksync_thread_cpu_pin_policy");
666  GetOptValue<uint32_t>(var_map, flow_netlink_pin_cpuid_,
667  "TASK.flow_netlink_pin_cpuid");
668 }
669 
671  (const boost::program_options::variables_map &var_map) {
672  GetOptValue<string>(var_map, metadata_shared_secret_,
673  "METADATA.metadata_proxy_secret");
674  GetOptValue<uint16_t>(var_map, metadata_proxy_port_,
675  "METADATA.metadata_proxy_port");
676  GetOptValue<bool>(var_map, metadata_use_ssl_,
677  "METADATA.metadata_use_ssl");
678  GetOptValue<string>(var_map, metadata_client_cert_,
679  "METADATA.metadata_client_cert");
680  GetOptValue<string>(var_map, metadata_client_cert_type_,
681  "METADATA.metadata_client_cert_type");
682  GetOptValue<string>(var_map, metadata_client_key_,
683  "METADATA.metadata_client_key");
684  GetOptValue<string>(var_map, metadata_ca_cert_,
685  "METADATA.metadata_ca_cert");
686 }
687 
689  (const boost::program_options::variables_map &var_map) {
690  GetOptValue<uint16_t>(var_map, flow_thread_count_,
691  "FLOWS.thread_count");
692  GetOptValue<uint16_t>(var_map, flow_latency_limit_,
693  "FLOWS.latency_limit");
694  GetOptValue<bool>(var_map, flow_trace_enable_, "FLOWS.trace_enable");
695  float val = 0;
696  if (GetOptValue<float>(var_map, val, "FLOWS.max_vm_flows")) {
697  max_vm_flows_ = val;
698  }
699  GetOptValue<uint16_t>(var_map, linklocal_system_flows_,
700  "FLOWS.max_system_linklocal_flows");
701  GetOptValue<uint16_t>(var_map, linklocal_vm_flows_,
702  "FLOWS.max_vm_linklocal_flows");
703  GetOptValue<uint16_t>(var_map, flow_index_sm_log_count_,
704  "FLOWS.index_sm_log_count");
705  GetOptValue<uint32_t>(var_map, flow_add_tokens_,
706  "FLOWS.add_tokens");
707  GetOptValue<uint32_t>(var_map, flow_ksync_tokens_,
708  "FLOWS.ksync_tokens");
709  GetOptValue<uint32_t>(var_map, flow_del_tokens_,
710  "FLOWS.del_tokens");
711  GetOptValue<uint32_t>(var_map, flow_update_tokens_,
712  "FLOWS.update_tokens");
713  GetOptValue<bool>(var_map, flow_hash_excl_rid_,
714  "FLOWS.hash_exclude_router_id");
715  GetOptValue<uint16_t>(var_map, max_sessions_per_aggregate_,
716  "FLOWS.max_sessions_per_aggregate");
717  GetOptValue<uint16_t>(var_map, max_aggregates_per_session_endpoint_,
718  "FLOWS.max_aggregates_per_session_endpoint");
719  GetOptValue<uint16_t>(var_map, max_endpoints_per_session_msg_,
720  "FLOWS.max_endpoints_per_session_msg");
721  GetOptValue<uint16_t>(var_map, fabric_snat_hash_table_size_,
722  "FLOWS.fabric_snat_hash_table_size");
723 }
724 
726  (const boost::program_options::variables_map &var_map) {
727  GetOptValue<bool>(var_map, dhcp_relay_mode_, "DEFAULT.dhcp_relay_mode");
728 }
729 
731  (const boost::program_options::variables_map &var_map) {
732  GetOptValue<bool>(var_map, simulate_evpn_tor_, "DEFAULT.simulate_evpn_tor");
733 }
734 
736  (const boost::program_options::variables_map &var_map) {
737  std::string mode;
738  if (GetOptValue<string>(var_map, mode, "DEFAULT.agent_mode")) {
739  set_agent_mode(mode);
740  }
741  if (GetOptValue<string>(var_map, mode, "DEFAULT.gateway_mode")) {
742  set_gateway_mode(mode);
743  }
744  GetOptValue<string>(var_map, agent_base_dir_,
745  "DEFAULT.agent_base_directory");
746 }
747 
749  (const boost::program_options::variables_map &var_map) {
750  GetOptValue<string>(var_map, si_netns_command_, "SERVICE-INSTANCE.netns_command");
751  GetOptValue<string>(var_map, si_docker_command_, "SERVICE-INSTANCE.docker_command");
752  GetOptValue<int>(var_map, si_netns_workers_, "SERVICE-INSTANCE.netns_workers");
753  GetOptValue<int>(var_map, si_netns_timeout_, "SERVICE-INSTANCE.netns_timeout");
754  GetOptValue<string>(var_map, si_lb_ssl_cert_path_,
755  "SERVICE-INSTANCE.lb_ssl_cert_path");
756  GetOptValue<string>(var_map, si_lbaas_auth_conf_,
757  "SERVICE-INSTANCE.lbaas_auth_conf");
758 
759 }
760 
762  (const boost::program_options::variables_map &var_map) {
763  GetOptValue<string>(var_map, nexthop_server_endpoint_,
764  "NEXTHOP-SERVER.endpoint");
765  GetOptValue<bool>(var_map, nexthop_server_add_pid_,
766  "NEXTHOP-SERVER.add_pid");
767  if (nexthop_server_add_pid_) {
768  std::stringstream ss;
769  ss << nexthop_server_endpoint_ << "." << getpid();
770  nexthop_server_endpoint_ = ss.str();
771  }
772 }
773 
774 void AgentParam::SplitByDelimiter (const std::string &txt,
775  std::vector<std::string> &strs, char ch) {
776  size_t pos = txt.find(ch);
777  size_t initialPos = 0;
778  strs.clear();
779 
780  while(pos != std::string::npos) {
781  strs.push_back(txt.substr(initialPos, pos - initialPos));
782  initialPos = pos + 1;
783  pos = txt.find(ch, initialPos);
784  }
785  strs.push_back(txt.substr(initialPos, std::min(pos, txt.size()) -
786  initialPos + 1));
787 }
788 
790  (const boost::program_options::variables_map &var_map) {
791  if (var_map.count("DEFAULT.platform") &&
792  !var_map["DEFAULT.platform"].defaulted()) {
793  if (var_map["DEFAULT.platform"].as<string>() == "nic") {
794  platform_ = AgentParam::VROUTER_ON_NIC;
795  } else if (var_map["DEFAULT.platform"].as<string>() == "dpdk") {
797  if (var_map.count("DEFAULT.physical_interface_address")) {
798  string physical_interface_pci_addr_list;
799  physical_interface_pci_addr_list_.clear();
800  if (GetOptValue<string>(var_map, physical_interface_pci_addr_list,
801  "DEFAULT.physical_interface_address")) {
802  SplitByDelimiter(physical_interface_pci_addr_list,
803  physical_interface_pci_addr_list_, ' ');
804  }
805  string physical_interface_mac_addr_list;
806  physical_interface_mac_addr_list_.clear();
807  if (GetOptValue<string>(var_map, physical_interface_mac_addr_list,
808  "DEFAULT.physical_interface_mac")) {
809  SplitByDelimiter(physical_interface_mac_addr_list,
810  physical_interface_mac_addr_list_, ' ');
811  }
812  }
813  } else {
814  platform_ = AgentParam::VROUTER_ON_HOST;
815  }
816  }
817 }
818 
819 //this has been intentionally seperated from platform to provide an easier mix and match in the future if necessary
821  const boost::program_options::variables_map &var_map) {
822  GetOptValue<bool>(var_map, AgentMock_, "DEFAULT.agent_mock");
823 
824  if (AgentMock_) {
825  GetOptValue<bool>(var_map, cat_MockDPDK_,
826  "AGENT-TEST-FRAMEWORK.mock_dpdk");
827  GetOptValue<string>(var_map, cat_kSocketDir_,
828  "AGENT-TEST-FRAMEWORK.ksocketdir");
829  }
830 
831  if (!AgentMock_ && cat_MockDPDK_) {
832  std::cout <<"Please fix conf file parameters."
833  <<" The DPDK cannot be mocked unless the Agent"
834  <<" is also executed in the Mock mode" << std::endl;
835  exit(1);
836  }
837 
838 }
839 
840 
842  (const boost::program_options::variables_map &v) {
843  GetOptValue<string>(v, bgp_as_a_service_port_range_,
844  "SERVICES.bgp_as_a_service_port_range");
845  GetOptValue<uint32_t>(v, services_queue_limit_, "SERVICES.queue_limit");
846  GetOptValue<uint32_t>(v, bgpaas_max_shared_sessions_,
847  "SERVICES.bgpaas_max_shared_sessions");
848 }
849 
851  (const boost::program_options::variables_map &v) {
852  sandesh::options::ProcessOptions(v, &sandesh_config_);
853 }
854 
856  (const boost::program_options::variables_map &v) {
857  GetOptValue<bool>(v, restart_backup_enable_, "RESTART.backup_enable");
858  GetOptValue<uint64_t>(v, restart_backup_idle_timeout_,
859  "RESTART.backup_idle_timeout");
860  GetOptValue<string>(v, restart_backup_dir_, "RESTART.backup_dir");
861  GetOptValue<uint16_t>(v, restart_backup_count_, "RESTART.backup_count");
862 
863  GetOptValue<bool>(v, restart_restore_enable_, "RESTART.restore_enable");
864  GetOptValue<uint64_t>(v, restart_restore_audit_timeout_,
865  "RESTART.restore_audit_timeout");
866  huge_page_file_1G_.clear();
867  GetOptValueIfNotDefaulted< vector<string> >(v, huge_page_file_1G_,
868  "RESTART.huge_page_1G");
869  if (huge_page_file_1G_.size() == 1) {
870  boost::split(huge_page_file_1G_, huge_page_file_1G_[0],
871  boost::is_any_of(" "));
872  }
873  huge_page_file_2M_.clear();
874  GetOptValueIfNotDefaulted< vector<string> >(v, huge_page_file_2M_,
875  "RESTART.huge_page_2M");
876  if (huge_page_file_2M_.size() == 1) {
877  boost::split(huge_page_file_2M_, huge_page_file_2M_[0],
878  boost::is_any_of(" "));
879  }
880 }
881 
883  (const boost::program_options::variables_map &var_map) {
884  GetOptValue<uint16_t>(var_map, llgr_params_.stale_config_cleanup_time_,
885  "LLGR.stale_config_cleanup_time_");
886  GetOptValue<uint16_t>(var_map, llgr_params_.config_inactivity_time_,
887  "LLGR.config_inactivity_time");
888  GetOptValue<uint16_t>(var_map, llgr_params_.config_fallback_time_,
889  "LLGR.config_fallback_time");
890  GetOptValue<uint16_t>(var_map, llgr_params_.end_of_rib_rx_fallback_time_,
891  "LLGR.end_of_rib_rx_fallback_time");
892  GetOptValue<uint16_t>(var_map, llgr_params_.end_of_rib_tx_fallback_time_,
893  "LLGR.end_of_rib_tx_fallback_time");
894  GetOptValue<uint16_t>(var_map, llgr_params_.end_of_rib_tx_inactivity_time_,
895  "LLGR.end_of_rib_tx_inactivity_time_");
896  GetOptValue<uint32_t>(var_map, llgr_params_.llgr_stale_time_,
897  "LLGR.llgr_stale_time");
898 }
899 
901  (const boost::program_options::variables_map &var_map) {
902  GetOptValue<uint32_t>(var_map, mac_learning_thread_count_,
903  "MAC-LEARNING.thread_count");
904  GetOptValue<uint32_t>(var_map, mac_learning_add_tokens_,
905  "MAC-LEARNING.add_tokens");
906  GetOptValue<uint32_t>(var_map, mac_learning_delete_tokens_,
907  "MAC-LEARNING.del_tokens");
908  GetOptValue<uint32_t>(var_map, mac_learning_update_tokens_,
909  "MAC-LEARNING.update_tokens");
910 }
911 
913  (const boost::program_options::variables_map &var_map) {
914  GetOptValue<string>(var_map, crypt_port_,
915  "CRYPT.crypt_interface");
916 }
917 
919 (const boost::program_options::variables_map &var_map) {
920  trace_buff_size_map.clear();
921  GetOptValue<uint32_t>(var_map, trace_buff_size_map["BgpAsAService"],
922  "TRACEBUFFSIZE.BgpAsAService");
923  GetOptValue<uint32_t>(var_map, trace_buff_size_map["AgentDBwalkTrace"],
924  "TRACEBUFFSIZE.AgentDBwalkTrace");
925  GetOptValue<uint32_t>(var_map, trace_buff_size_map["BgpAsAService"],
926  "TRACEBUFFSIZE.BgpAsAService");
927  GetOptValue<uint32_t>(var_map, trace_buff_size_map["CryptTunnel"],
928  "TRACEBUFFSIZE.CryptTunnel");
929  GetOptValue<uint32_t>(var_map, trace_buff_size_map["HealthCheck"],
930  "TRACEBUFFSIZE.HealthCheck");
931  GetOptValue<uint32_t>(var_map, trace_buff_size_map["MplsTrace"],
932  "TRACEBUFFSIZE.MplsTrace");
933  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Multicast"],
934  "TRACEBUFFSIZE.Multicast");
935  GetOptValue<uint32_t>(var_map, trace_buff_size_map["InstanceManager"],
936  "TRACEBUFFSIZE.InstanceManager");
937  GetOptValue<uint32_t>(var_map, trace_buff_size_map["OperIfmap"],
938  "TRACEBUFFSIZE.OperIfmap");
939  GetOptValue<uint32_t>(var_map, trace_buff_size_map["PathPreference"],
940  "TRACEBUFFSIZE.PathPreference");
941  GetOptValue<uint32_t>(var_map, trace_buff_size_map["MulticastPolicy"],
942  "TRACEBUFFSIZE.MulticastPolicy");
943  GetOptValue<uint32_t>(var_map, trace_buff_size_map["TaskTrace"],
944  "TRACEBUFFSIZE.TaskTrace");
945  GetOptValue<uint32_t>(var_map, trace_buff_size_map["InterfaceMplsData"],
946  "TRACEBUFFSIZE.InterfaceMplsData");
947  GetOptValue<uint32_t>(var_map, trace_buff_size_map["VrfMplsData"],
948  "TRACEBUFFSIZE.VrfMplsData");
949  GetOptValue<uint32_t>(var_map, trace_buff_size_map["VlanMplsData"],
950  "TRACEBUFFSIZE.VlanMplsData");
951  GetOptValue<uint32_t>(var_map, trace_buff_size_map["RouteMplsData"],
952  "TRACEBUFFSIZE.RouteMplsData");
953  GetOptValue<uint32_t>(var_map, trace_buff_size_map["VersionTrace"],
954  "TRACEBUFFSIZE.VersionTrace");
955  GetOptValue<uint32_t>(var_map, trace_buff_size_map["DnsBind"],
956  "TRACEBUFFSIZE.DnsBind");
957  GetOptValue<uint32_t>(var_map, trace_buff_size_map["IFMapAgentTrace"],
958  "TRACEBUFFSIZE.IFMapAgentTrace");
959  GetOptValue<uint32_t>(var_map, trace_buff_size_map["IOTraceBuf"],
960  "TRACEBUFFSIZE.IOTraceBuf");
961  GetOptValue<uint32_t>(var_map, trace_buff_size_map["XmppMessageTrace"],
962  "TRACEBUFFSIZE.XmppMessageTrace");
963  GetOptValue<uint32_t>(var_map, trace_buff_size_map["XmppTrace"],
964  "TRACEBUFFSIZE.XmppTrace");
965  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Config"],
966  "TRACEBUFFSIZE.Config");
967  GetOptValue<uint32_t>(var_map, trace_buff_size_map["ControllerConnections"],
968  "TRACEBUFFSIZE.ControllerConnections");
969  GetOptValue<uint32_t>(var_map, trace_buff_size_map["ControllerInfo"],
970  "TRACEBUFFSIZE.ControllerInfo");
971  GetOptValue<uint32_t>(var_map, trace_buff_size_map["ControllerTxConfig_1"],
972  "TRACEBUFFSIZE.ControllerTxConfig_1");
973  GetOptValue<uint32_t>(var_map, trace_buff_size_map["ControllerTxConfig_2"],
974  "TRACEBUFFSIZE.ControllerTxConfig_2");
975  GetOptValue<uint32_t>(var_map, trace_buff_size_map["ControllerRouteWalker"],
976  "TRACEBUFFSIZE.ControllerRouteWalker");
977  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Controller"],
978  "TRACEBUFFSIZE.Controller");
979  GetOptValue<uint32_t>(var_map,
980  trace_buff_size_map["ControllerRxRouteXmppMessage1"],
981  "TRACEBUFFSIZE.ControllerRxRouteXmppMessage1");
982  GetOptValue<uint32_t>(var_map,
983  trace_buff_size_map["ControllerRxConfigXmppMessage1"],
984  "TRACEBUFFSIZE.ControllerRxConfigXmppMessage1");
985  GetOptValue<uint32_t>(var_map,
986  trace_buff_size_map["ControllerRxRouteXmppMessage2"],
987  "TRACEBUFFSIZE.ControllerRxRouteXmppMessage2");
988  GetOptValue<uint32_t>(var_map,
989  trace_buff_size_map["ControllerRxConfigXmppMessage2"],
990  "TRACEBUFFSIZE.ControllerRxConfigXmppMessage2");
991  GetOptValue<uint32_t>(var_map,
992  trace_buff_size_map["ControllerTxXmppMessage_1"],
993  "TRACEBUFFSIZE.ControllerTxXmppMessage_1");
994  GetOptValue<uint32_t>(var_map,
995  trace_buff_size_map["ControllerTxXmppMessage_2"],
996  "TRACEBUFFSIZE.ControllerTxXmppMessage_2");
997  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Acl"],
998  "TRACEBUFFSIZE.Acl");
999  GetOptValue<uint32_t>(var_map, trace_buff_size_map["VnswIfTrace"],
1000  "TRACEBUFFSIZE.VnswIfTrace");
1001  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Flow"],
1002  "TRACEBUFFSIZE.Flow");
1003  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Packet"],
1004  "TRACEBUFFSIZE.Packet");
1005  GetOptValue<uint32_t>(var_map, trace_buff_size_map["FlowHandler"],
1006  "TRACEBUFFSIZE.FlowHandler");
1007  GetOptValue<uint32_t>(var_map, trace_buff_size_map["ProuterUve"],
1008  "TRACEBUFFSIZE.ProuterUve");
1009  GetOptValue<uint32_t>(var_map, trace_buff_size_map["SessionStats"],
1010  "TRACEBUFFSIZE.SessionStats");
1011  GetOptValue<uint32_t>(var_map, trace_buff_size_map["FlowExportStats"],
1012  "TRACEBUFFSIZE.FlowExportStats");
1013  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Dhcp"],
1014  "TRACEBUFFSIZE.Dhcp");
1015  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Dhcpv6"],
1016  "TRACEBUFFSIZE.Dhcpv6");
1017  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Icmpv6"],
1018  "TRACEBUFFSIZE.Icmpv6");
1019  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Arp"],
1020  "TRACEBUFFSIZE.Arp");
1021  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Metadata"],
1022  "TRACEBUFFSIZE.Metadata");
1023  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Bfd"],
1024  "TRACEBUFFSIZE.Bfd");
1025  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Igmp"],
1026  "TRACEBUFFSIZE.Igmp");
1027  GetOptValue<uint32_t>(var_map, trace_buff_size_map["KSync Error"],
1028  "TRACEBUFFSIZE.KSync Error");
1029  GetOptValue<uint32_t>(var_map, trace_buff_size_map["MacLearning"],
1030  "TRACEBUFFSIZE.MacLearning");
1031  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Xmpp"],
1032  "TRACEBUFFSIZE.Xmpp");
1033  GetOptValue<uint32_t>(var_map, trace_buff_size_map["KSync Interface"],
1034  "TRACEBUFFSIZE.KSync Interface");
1035  GetOptValue<uint32_t>(var_map, trace_buff_size_map["KSync Mpls"],
1036  "TRACEBUFFSIZE.KSync Mpls");
1037  GetOptValue<uint32_t>(var_map, trace_buff_size_map["KSync Nexthop"],
1038  "TRACEBUFFSIZE.KSync Nexthop");
1039  GetOptValue<uint32_t>(var_map, trace_buff_size_map["KSync Mirror"],
1040  "TRACEBUFFSIZE.KSync Mirror");
1041  GetOptValue<uint32_t>(var_map, trace_buff_size_map["KSync VxLan"],
1042  "TRACEBUFFSIZE.KSync VxLan");
1043  GetOptValue<uint32_t>(var_map, trace_buff_size_map["KSync VrfAssign"],
1044  "TRACEBUFFSIZE.KSync VrfAssign");
1045  GetOptValue<uint32_t>(var_map, trace_buff_size_map["KSync Qos Queue Object"],
1046  "TRACEBUFFSIZE.KSync Qos Queue Object");
1047  GetOptValue<uint32_t>(var_map,
1048  trace_buff_size_map["KSync Forwarding class object"],
1049  "TRACEBUFFSIZE.KSync Forwarding class object");
1050  GetOptValue<uint32_t>(var_map,
1051  trace_buff_size_map["KSync Qos Config class object"],
1052  "TRACEBUFFSIZE.KSync Qos Config class object");
1053  GetOptValue<uint32_t>(var_map, trace_buff_size_map["KSync BridgeRouteTable"],
1054  "TRACEBUFFSIZE.KSync BridgeRouteTable");
1055  GetOptValue<uint32_t>(var_map, trace_buff_size_map["KSync FlowTable"],
1056  "TRACEBUFFSIZE.KSync FlowTable");
1057  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.interface.0"],
1058  "TRACEBUFFSIZE.Oper db.interface.0");
1059  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.healthcheck.0"],
1060  "TRACEBUFFSIZE.Oper db.healthcheck.0");
1061  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.crypttunnel.0"],
1062  "TRACEBUFFSIZE.Oper db.crypttunnel.0");
1063  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.nexthop.0"],
1064  "TRACEBUFFSIZE.Oper db.nexthop.0");
1065  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.vrf.0"],
1066  "TRACEBUFFSIZE.Oper db.vrf.0");
1067  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.vm.0"],
1068  "TRACEBUFFSIZE.Oper db.vm.0");
1069  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.sg.0"],
1070  "TRACEBUFFSIZE.Oper db.sg.0");
1071  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.tag.0"],
1072  "TRACEBUFFSIZE.Oper db.tag.0");
1073  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.vn.0"],
1074  "TRACEBUFFSIZE.Oper db.vn.0");
1075  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.mpls.0"],
1076  "TRACEBUFFSIZE.Oper db.mpls.0");
1077  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.acl.0"],
1078  "TRACEBUFFSIZE.Oper db.acl.0");
1079  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.mirror_table.0"],
1080  "TRACEBUFFSIZE.Oper db.mirror_table.0");
1081  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.vrf_assign.0"],
1082  "TRACEBUFFSIZE.Oper db.vrf_assign.0");
1083  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.policy_set.0"],
1084  "TRACEBUFFSIZE.Oper db.policy_set.0");
1085  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.vxlan.0"],
1086  "TRACEBUFFSIZE.Oper db.vxlan.0");
1087  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.qos_queue.0"],
1088  "TRACEBUFFSIZE.Oper db.qos_queue.0");
1089  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.forwardingclass.0"],
1090  "TRACEBUFFSIZE.Oper db.forwardingclass.0");
1091  GetOptValue<uint32_t>(var_map,
1092  trace_buff_size_map["Oper db.security_logging_object.0"],
1093  "TRACEBUFFSIZE.Oper db.security_logging_object.0");
1094  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.qos_config.0"],
1095  "TRACEBUFFSIZE.Oper db.qos_config.0");
1096  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.bridge_domain.0"],
1097  "TRACEBUFFSIZE.Oper db.bridge_domain.0");
1098  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.multicast_policy.0"],
1099  "TRACEBUFFSIZE.Oper db.multicast_policy.0");
1100  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.service-instance.0"],
1101  "TRACEBUFFSIZE.Oper db.service-instance.0");
1102  GetOptValue<uint32_t>(var_map, trace_buff_size_map["Oper db.physical_devices.0"],
1103  "TRACEBUFFSIZE.Oper db.physical_devices.0");
1104  GetOptValue<uint32_t>(var_map,
1105  trace_buff_size_map["Oper db.physical_device_vn.0"],
1106  "TRACEBUFFSIZE.Oper db.physical_device_vn.0");
1107  GetOptValue<uint32_t>(var_map, trace_buff_size_map["httpbuf"],
1108  "TRACEBUFFSIZE.httpbuf");
1109  GetOptValue<uint32_t>(var_map, trace_buff_size_map["OperRoute"],
1110  "TRACEBUFFSIZE.OperRoute");
1111  GetOptValue<uint32_t>(var_map, trace_buff_size_map["KSync Route"],
1112  "TRACEBUFFSIZE.KSync Route");
1113 }
1114 
1115 // Initialize hypervisor mode based on system information
1116 // If "/proc/xen" exists it means we are running in Xen dom0
1118  boost::system::error_code error;
1119  host_name_ = boost::asio::ip::host_name(error);
1120  agent_name_ = host_name_;
1121 
1122  struct stat fstat;
1123  if (stat("/proc/xen", &fstat) == 0) {
1124  hypervisor_mode_ = MODE_XEN;
1125  cout << "Found file /proc/xen. Initializing mode to XEN\n";
1126  }
1127  xen_ll_.addr_ = Ip4Address::from_string("169.254.0.1");
1128  xen_ll_.plen_ = 16;
1129 
1130  return;
1131 }
1132 
1133 // Update agent parameters from config file
1135  // Read and parse INI
1136  ifstream config_file_in;
1137  config_file_in.open(config_file_.c_str());
1138  if (config_file_in.good()) {
1139  opt::basic_parsed_options<char> ParsedOptions = opt::parse_config_file(config_file_in, config_file_options_, true);
1140  boost::program_options::store(ParsedOptions,
1141  var_map_);
1142  boost::program_options::notify(var_map_);
1143  std::vector<boost::program_options::basic_option<char> >::iterator it;
1144  for (it=ParsedOptions.options.begin() ; it < ParsedOptions.options.end(); ++it) {
1145  if (it->unregistered) {
1146  tree_.put(it->string_key,it->value.at(0));
1147  }
1148  }
1149  }
1150  config_file_in.close();
1151  cout << "Config file <" << config_file_ << "> parsing completed.\n";
1152  return;
1153 }
1154 
1156  ParseCollectorDSArguments(var_map_);
1157  ParseVirtualHostArguments(var_map_);
1158  ParseControllerServersArguments(var_map_);
1159  ParseDnsServersArguments(var_map_);
1160  ParseDnsArguments(var_map_);
1161  ParseNetworksArguments(var_map_);
1162  ParseHypervisorArguments(var_map_);
1163  ParseDefaultSectionArguments(var_map_);
1164  ParseTaskSectionArguments(var_map_);
1165  ParseFlowArguments(var_map_);
1166  ParseMetadataProxyArguments(var_map_);
1167  ParseDhcpRelayModeArguments(var_map_);
1168  ParseServiceInstanceArguments(var_map_);
1169  ParseSimulateEvpnTorArguments(var_map_);
1170  ParseAgentInfoArguments(var_map_);
1171  ParseNexthopServerArguments(var_map_);
1172  ParsePlatformArguments(var_map_);
1173  ParseServicesArguments(var_map_);
1174  ParseTestFrameworkArguments(var_map_);//sagarc
1175  ParseSandeshArguments(var_map_);
1176  ParseQueue();
1177  ParseRestartArguments(var_map_);
1178  ParseMacLearning(var_map_);
1179  ParseTsnServersArguments(var_map_);
1180  ParseCryptArguments(var_map_);
1181  ParseSessionDestinationArguments(var_map_);
1182  ParseTraceArguments(var_map_);
1183 }
1184 
1186  // Read and parse INI
1187  opt::variables_map var_map;
1188  ifstream config_file_in;
1189  config_file_in.open(config_file_.c_str());
1190  if (config_file_in.good()) {
1191  opt::basic_parsed_options<char> ParsedOptions =
1192  opt::parse_config_file(config_file_in, config_file_options_, true);
1193  boost::program_options::store(ParsedOptions, var_map);
1194 
1195  ParseTraceArguments(var_map);
1196  }
1197  config_file_in.close();
1198  LOG(INFO, "Config file parsing for debug params completed. \n");
1199  return;
1200 }
1201 
1203 
1204  // Read and parse INI
1205  opt::variables_map var_map;
1206  ifstream config_file_in;
1207  config_file_in.open(config_file_.c_str());
1208  if (config_file_in.good()) {
1209  opt::basic_parsed_options<char> ParsedOptions =
1210  opt::parse_config_file(config_file_in, config_file_options_, true);
1211  boost::program_options::store(ParsedOptions, var_map);
1212 
1213  ParseControllerServersArguments(var_map);
1214  ParseDnsServersArguments(var_map);
1215  ParseCollectorArguments(var_map);
1216  ParseTsnServersArguments(var_map);
1217  ParseSessionDestinationArguments(var_map);
1218 
1219  LogFilteredConfig();
1220  }
1221  config_file_in.close();
1222  LOG(DEBUG, "Config file re-parsing completed. \n");
1223 
1224  return;
1225 }
1226 
1228  if (!stringToIntegerList(bgp_as_a_service_port_range_, "-",
1229  bgp_as_a_service_port_range_value_)) {
1230  bgp_as_a_service_port_range_value_.clear();
1231  return;
1232  }
1233 }
1234 
1236  if (!stringToIntegerList(bgp_as_a_service_port_range_, "-",
1237  bgp_as_a_service_port_range_value_)) {
1238  bgp_as_a_service_port_range_value_.clear();
1239  return;
1240  }
1241  uint16_t start = bgp_as_a_service_port_range_value_[0];
1242  uint16_t end = bgp_as_a_service_port_range_value_[1];
1243 
1244  uint16_t count = end - start + 1;
1245  if (count > Agent::kMaxBgpAsAServerSessions) {
1246  bgp_as_a_service_port_range_value_[1] =
1247  start + Agent::kMaxBgpAsAServerSessions - 1;
1249  }
1250 
1251  struct rlimit rl;
1252  int result = getrlimit(RLIMIT_NOFILE, &rl);
1253  if (result == 0) {
1254  if (rl.rlim_max <= Agent::kMaxOtherOpenFds) {
1255  cout << "Clearing BGP as a Service port range," <<
1256  "as Max fd system limit is inadequate\n";
1257  bgp_as_a_service_port_range_value_.clear();
1258  return;
1259  }
1260  if (count > rl.rlim_max - Agent::kMaxOtherOpenFds) {
1261  bgp_as_a_service_port_range_value_[1] =
1262  start + rl.rlim_max - Agent::kMaxOtherOpenFds - 1;
1263  cout << "Updating BGP as a Service port range to " <<
1264  bgp_as_a_service_port_range_value_[0] << " - " <<
1265  bgp_as_a_service_port_range_value_[1] << "\n";
1266  }
1267  } else {
1268  cout << "Unable to validate BGP as a server port range configuration\n";
1269  }
1270 }
1271 
1273  if (vr_object_high_watermark_ > 95) {
1274  cout << "Max is 95 updating vrouter objects high watermark to max : 95%\n";
1275  vr_object_high_watermark_ = 95;
1276  }
1277  if (vr_object_high_watermark_ < 50) {
1278  cout << "Wrong config updating vrouter objects high watermark to lowest : 50%\n";
1279  vr_object_high_watermark_ = 50;
1280  }
1281 }
1282 
1283 // Update max_vm_flows_ if it is greater than 100.
1284 // Update linklocal max flows if they are greater than the max allowed for the
1285 // process. Also, ensure that the process is allowed to open upto
1286 // linklocal_system_flows + kMaxOtherOpenFds files
1288  if (max_vm_flows_ > 100) {
1289  cout << "Updating flows configuration max-vm-flows to : 100%\n";
1290  max_vm_flows_ = 100;
1291  }
1292  if (max_vm_flows_ < 0) {
1293  cout << "Updating flows configuration max-vm-flows to : 0%\n";
1294  max_vm_flows_ = 0;
1295  }
1296 
1297  struct rlimit rl;
1298  int result = getrlimit(RLIMIT_NOFILE, &rl);
1299  if (result == 0) {
1300  if (rl.rlim_max <= Agent::kMaxOtherOpenFds + 1) {
1301  cout << "Updating linklocal flows configuration to 0\n";
1302  linklocal_system_flows_ = linklocal_vm_flows_ = 0;
1303  return;
1304  }
1305  if (linklocal_system_flows_ > rl.rlim_max -
1307  linklocal_system_flows_ = rl.rlim_max -
1309  cout << "Updating linklocal-system-flows configuration to : " <<
1310  linklocal_system_flows_ << "\n";
1311  }
1312 
1313  /* Set the rlimit here for max open files to the required value of
1314  * linklocal_system_flows_ + Agent::kMaxOtherOpenFds + 1. Note that
1315  * soft limit is set to the required value even if the existing soft
1316  * limit is higher than the required value. This is done to avoid long
1317  * close() FD loops following any fork or vfork() agent may do in case
1318  * the soft value is set to max allowed value of 1M */
1319  struct rlimit new_rl;
1320  new_rl.rlim_max = rl.rlim_max;
1321  new_rl.rlim_cur = linklocal_system_flows_ +
1323  result = setrlimit(RLIMIT_NOFILE, &new_rl);
1324  if (result != 0) {
1325  if (rl.rlim_cur <= Agent::kMaxOtherOpenFds + 1) {
1326  linklocal_system_flows_ = 0;
1327  } else {
1328  linklocal_system_flows_ = rl.rlim_cur -
1329  Agent::kMaxOtherOpenFds - 1;
1330  }
1331  cout << "Unable to set Max open files limit to : " <<
1332  new_rl.rlim_cur <<
1333  " Updating linklocal-system-flows configuration to : " <<
1334  linklocal_system_flows_ << "\n";
1335  }
1336 
1337  if (linklocal_vm_flows_ > linklocal_system_flows_) {
1338  linklocal_vm_flows_ = linklocal_system_flows_;
1339  cout << "Updating linklocal-vm-flows configuration to : " <<
1340  linklocal_vm_flows_ << "\n";
1341  }
1342  } else {
1343  cout << "Unable to validate linklocal flow configuration\n";
1344  }
1345 }
1346 
1347 static bool ValidateInterface(bool test_mode, const std::string &ifname,
1348  bool *no_arp, string *eth_encap) {
1349  *no_arp = false;
1350  *eth_encap = "";
1351 
1352  if (test_mode) {
1353  return true;
1354  }
1355 
1356  int fd = socket(AF_LOCAL, SOCK_STREAM, 0);
1357  assert(fd >= 0);
1358 
1359  struct ifreq ifr;
1360  memset(&ifr, 0, sizeof(ifr));
1361  strncpy(ifr.ifr_name, ifname.c_str(), IF_NAMESIZE-1);
1362  int err = ioctl(fd, SIOCGIFFLAGS, (void *)&ifr);
1363  close (fd);
1364 
1365  if (err < 0) {
1366  LOG(ERROR, "Error reading interface <" << ifname << ">. Error number "
1367  << errno << " : " << strerror(errno));
1368  return false;
1369  }
1370 
1371  if ((ifr.ifr_flags & IFF_NOARP)) {
1372  *no_arp = true;
1373  }
1374 
1375  char fname[128];
1376  snprintf(fname, 128, "/sys/class/net/%s/type", ifname.c_str());
1377  FILE *f = fopen(fname, "r");
1378  if (f) {
1379  int type;
1380  if (fscanf(f, "%d", &type) >= 0) {
1381  if (type == ARPHRD_NONE) {
1382  *eth_encap = "none";
1383  }
1384  }
1385  fclose(f);
1386  }
1387 
1388  return true;
1389 }
1390 
1392  // TODO: fix the validation for the DPDK platform
1393  if (platform_ == AgentParam::VROUTER_ON_HOST_DPDK)
1394  return 0;
1395 
1396  // Validate vhost interface name
1397  if (vhost_.name_ == "") {
1398  LOG(ERROR, "Configuration error. vhost interface name not specified");
1399  return (EINVAL);
1400  }
1401 
1402  bool no_arp;
1403  string encap;
1404  // Check if interface is already present
1405  if (ValidateInterface(test_mode_, vhost_.name_, &no_arp, &encap) == false) {
1406  return (ENODEV);
1407  }
1408 
1409  // Validate ethernet port
1410  if (eth_port_list_.empty()) {
1411  LOG(ERROR, "Configuration error. eth_port not specified");
1412  return (EINVAL);
1413  }
1414 
1415  // Check if interface is already present
1416  std::vector<std::string>::iterator iter;
1417  for (iter = eth_port_list_.begin(); iter != eth_port_list_.end(); iter++) {
1418  if (ValidateInterface(test_mode_, *iter, &eth_port_no_arp_,
1419  &eth_port_encap_type_) == false) {
1420  return (ENODEV);
1421  }
1422  }
1423 
1424  if (crypt_port_ != "") {
1425  // Check if interface is already present
1426  if (ValidateInterface(test_mode_, crypt_port_, &crypt_port_no_arp_,
1427  &crypt_port_encap_type_) == false) {
1428  return (ENODEV);
1429  }
1430  }
1431 
1432  // Validate physical port used in vmware
1433  if (hypervisor_mode_ == MODE_VMWARE) {
1434  if (vmware_physical_port_ == "") {
1435  LOG(ERROR, "Configuration error. Physical port connecting to "
1436  "virtual-machines not specified");
1437  return (EINVAL);
1438  }
1439 
1440  if (ValidateInterface(test_mode_, vmware_physical_port_, &no_arp,
1441  &encap) == false) {
1442  return (ENODEV);
1443  }
1444  }
1445 
1446  return 0;
1447 }
1448 
1450  // Set the prefix address for VHOST and XENLL interfaces
1451  uint32_t mask = vhost_.plen_ ? (0xFFFFFFFF << (32 - vhost_.plen_)) : 0;
1452  vhost_.prefix_ = Ip4Address(vhost_.addr_.to_ulong() & mask);
1453 
1454  mask = xen_ll_.plen_ ? (0xFFFFFFFF << (32 - xen_ll_.plen_)) : 0;
1455  xen_ll_.prefix_ = Ip4Address(xen_ll_.addr_.to_ulong() & mask);
1456 }
1457 
1458 bool AgentParam::IsConfiguredTsnHostRoute(std::string addr) const {
1459  return (std::find(tsn_server_list_.begin(), tsn_server_list_.end(), addr) !=
1460  tsn_server_list_.end());
1461 }
1462 
1463 void AgentParam::Init(const string &config_file, const string &program_name) {
1464 
1465  config_file_ = config_file;
1466  program_name_ = program_name;
1467  InitFromSystem();
1468  InitFromConfig();
1469  ProcessArguments();
1470  ProcessTraceArguments();
1471  InitVhostAndXenLLPrefix();
1472  UpdateBgpAsaServicePortRangeValue();
1473  ComputeFlowAndFileLimits();
1474  ComputeVrWatermark();
1475  vgw_config_table_->InitFromConfig(tree_);
1476 }
1477 
1479  ReInitFromConfig();
1480 }
1481 
1482 void SetTraceBufferSize(const string &tracebuff, size_t size) {
1484  if (tb && size && SandeshTraceBufferCapacityGet(tracebuff) != size) {
1485  //Disable the trace before changing the buffer size
1487  SandeshTraceBufferPtr trace_buf = SandeshTraceBufferResetSize(tracebuff,
1488  size);
1489  //Allow 30ms before enabling the trace back
1490  boost::this_thread::sleep( boost::posix_time::milliseconds(30));
1491  //Enable the trace
1492  SandeshTraceBufferEnable(trace_buf);
1493 
1494  LOG(INFO, "Trace Buffer size for " << tracebuff << " set to " << size);
1495  }
1496 }
1497 
1499  LOG(INFO, "Processing Trace Buffer size settings");
1500  for (trace_buff_size_iter = trace_buff_size_map.begin();
1501  trace_buff_size_iter != trace_buff_size_map.end();
1502  trace_buff_size_iter++) {
1503  SetTraceBufferSize(trace_buff_size_iter->first,
1504  trace_buff_size_iter->second);
1505  }
1506 }
1507 
1509  DebugInitFromConfig();
1510  ProcessTraceArguments();
1511 }
1512 
1514  std::string concat_servers;
1515  std::vector<string> list = controller_server_list();
1516  std::vector<string>::iterator iter;
1517  for (iter = list.begin();
1518  iter != list.end(); iter++) {
1519  concat_servers += *iter + " ";
1520  }
1521  LOG(DEBUG, "Xmpp Servers : " << concat_servers);
1522 
1523  concat_servers.clear();
1524  list = dns_server_list();
1525  for (iter = list.begin();
1526  iter != list.end(); iter++) {
1527  concat_servers += *iter + " ";
1528  }
1529  LOG(DEBUG, "DNS Servers : " << concat_servers);
1530 
1531  list = tsn_server_list();
1532  concat_servers.clear();
1533  for (iter = list.begin();
1534  iter != list.end(); iter++) {
1535  concat_servers += *iter + " ";
1536  }
1537  LOG(DEBUG, "TSN Servers : " << concat_servers);
1538 
1539  concat_servers.clear();
1540  list = collector_server_list();
1541  for (iter = list.begin();
1542  iter != list.end(); iter++) {
1543  concat_servers += *iter + " ";
1544  }
1545  LOG(DEBUG, "COLLECTOR Servers : " << concat_servers);
1546 }
1547 
1549  LOG(DEBUG, "vhost interface name : " << vhost_.name_);
1550  LOG(DEBUG, "vhost IP Address : " << vhost_.addr_.to_string()
1551  << "/" << vhost_.plen_);
1552  LOG(DEBUG, "vhost gateway : " << vhost_.gw_.to_string());
1553  std::string eth_port_list;
1554  std::vector<std::string>::const_iterator iter;
1555  for (iter = eth_port_list_.begin(); iter != eth_port_list_.end(); iter++) {
1556  eth_port_list += *iter + " ";
1557  }
1558  LOG(DEBUG, "Ethernet ports : " << eth_port_list);
1559  LOG(DEBUG, "Loopback IP : " << loopback_ip_.to_string());
1560 
1561  std::string concat_servers;
1562  std::vector<string> list = controller_server_list();
1563  for (iter = list.begin();
1564  iter != list.end(); iter++) {
1565  concat_servers += *iter + " ";
1566  }
1567  LOG(DEBUG, "Xmpp Servers : " << concat_servers);
1568  LOG(DEBUG, "Xmpp Authentication : " << xmpp_auth_enable_);
1569  if (xmpp_auth_enable_) {
1570  LOG(DEBUG, "Xmpp Server Certificate : " << xmpp_server_cert_);
1571  LOG(DEBUG, "Xmpp Server Key : " << xmpp_server_key_);
1572  LOG(DEBUG, "Xmpp CA Certificate : " << xmpp_ca_cert_);
1573  }
1574  LOG(DEBUG, "Cluster-Name : " << subcluster_name_);
1575 
1576  concat_servers.clear();
1577  list = dns_server_list();
1578  for (iter = list.begin();
1579  iter != list.end(); iter++) {
1580  concat_servers += *iter + " ";
1581  }
1582  LOG(DEBUG, "DNS Servers : " << concat_servers);
1583  LOG(DEBUG, "DNS client port : " << dns_client_port_);
1584  LOG(DEBUG, "DNS timeout : " << dns_timeout_);
1585  LOG(DEBUG, "DNS max retries : " << dns_max_retries_);
1586  LOG(DEBUG, "Xmpp Dns Authentication : " << xmpp_dns_auth_enable_);
1587  if (xmpp_dns_auth_enable_) {
1588  LOG(DEBUG, "Xmpp Server Certificate : " << xmpp_server_cert_);
1589  LOG(DEBUG, "Xmpp Server Key : " << xmpp_server_key_);
1590  LOG(DEBUG, "Xmpp CA Certificate : " << xmpp_ca_cert_);
1591  }
1592 
1593  concat_servers.clear();
1594  list = tsn_server_list();
1595  for (iter = list.begin();
1596  iter != list.end(); iter++) {
1597  concat_servers += *iter + " ";
1598  }
1599  LOG(DEBUG, "TSN Servers : " << concat_servers);
1600  concat_servers.clear();
1601 
1602  list = collector_server_list();
1603  for (iter = list.begin();
1604  iter != list.end(); iter++) {
1605  concat_servers += *iter + " ";
1606  }
1607  LOG(DEBUG, "COLLECTOR Servers : " << concat_servers);
1608 
1609  LOG(DEBUG, "Tunnel-Type : " << tunnel_type_);
1610  LOG(DEBUG, "Metadata-Proxy Shared Secret: " << metadata_shared_secret_);
1611  LOG(DEBUG, "Metadata-Proxy Port : " << metadata_proxy_port_);
1612  LOG(DEBUG, "Metadata-Proxy SSL Flag : " << metadata_use_ssl_);
1613  if (metadata_use_ssl_) {
1614  LOG(DEBUG, "Metadata Client Certificate : " << metadata_client_cert_);
1615  LOG(DEBUG, "Metadata Client Certificate Type: "
1616  << metadata_client_cert_type_);
1617  LOG(DEBUG, "Metadata Client Key : " << metadata_client_key_);
1618  LOG(DEBUG, "Metadata CA Certificate : " << metadata_ca_cert_);
1619  }
1620 
1621  LOG(DEBUG, "Max Vm Flows : " << max_vm_flows_);
1622  LOG(DEBUG, "Linklocal Max System Flows : " << linklocal_system_flows_);
1623  LOG(DEBUG, "Linklocal Max Vm Flows : " << linklocal_vm_flows_);
1624  LOG(DEBUG, "Flow cache timeout : " << flow_cache_timeout_);
1625  LOG(DEBUG, "Stale Interface cleanup timeout : "
1626  << stale_interface_cleanup_timeout_);
1627  LOG(DEBUG, "Flow thread count : " << flow_thread_count_);
1628  LOG(DEBUG, "Flow latency limit : " << flow_latency_limit_);
1629  LOG(DEBUG, "Flow index-mgr sm log count : " << flow_index_sm_log_count_);
1630  LOG(DEBUG, "Flow add-tokens : " << flow_add_tokens_);
1631  LOG(DEBUG, "Flow ksync-tokens : " << flow_ksync_tokens_);
1632  LOG(DEBUG, "Flow del-tokens : " << flow_del_tokens_);
1633  LOG(DEBUG, "Flow update-tokens : " << flow_update_tokens_);
1634  LOG(DEBUG, "Pin flow netlink task to CPU: "
1635  << ksync_thread_cpu_pin_policy_);
1636  LOG(DEBUG, "Maximum sessions : " << max_sessions_per_aggregate_);
1637  LOG(DEBUG, "Maximum session aggregates : " << max_aggregates_per_session_endpoint_);
1638  LOG(DEBUG, "Maximum session endpoints : " << max_endpoints_per_session_msg_);
1639  LOG(DEBUG, "Fabric SNAT hash table size : " << fabric_snat_hash_table_size_);
1640  LOG(DEBUG, "Flow excluding Router ID in hash :" << flow_hash_excl_rid_);
1641 
1642  if (agent_mode_ == VROUTER_AGENT)
1643  LOG(DEBUG, "Agent Mode : Vrouter");
1644  else if (agent_mode_ == TSN_AGENT)
1645  LOG(DEBUG, "Agent Mode : TSN");
1646  else if (agent_mode_ == TOR_AGENT)
1647  LOG(DEBUG, "Agent Mode : TOR");
1648 
1649  if (gateway_mode_ == SERVER)
1650  LOG(DEBUG, "Gateway Mode : Server");
1651  else if (gateway_mode_ == VCPE)
1652  LOG(DEBUG, "Gateway Mode : vCPE");
1653  else if (gateway_mode_ == PBB)
1654  LOG(DEBUG, "Gateway Mode : PBB node");
1655  else if (gateway_mode_ == NONE)
1656  LOG(DEBUG, "Gateway Mode : None");
1657 
1658  LOG(DEBUG, "DHCP Relay Mode : " << dhcp_relay_mode_);
1659  if (simulate_evpn_tor_) {
1660  LOG(DEBUG, "Simulate EVPN TOR : " << simulate_evpn_tor_);
1661  }
1662  LOG(DEBUG, "Service instance netns cmd : " << si_netns_command_);
1663  LOG(DEBUG, "Service instance docker cmd : " << si_docker_command_);
1664  LOG(DEBUG, "Service instance workers : " << si_netns_workers_);
1665  LOG(DEBUG, "Service instance timeout : " << si_netns_timeout_);
1666  LOG(DEBUG, "Service instance lb ssl : " << si_lb_ssl_cert_path_);
1667  LOG(DEBUG, "Service instance lbaas auth : " << si_lbaas_auth_conf_);
1668  LOG(DEBUG, "Bgp as a service port range : " << bgp_as_a_service_port_range_);
1669  LOG(DEBUG, "Services queue limit : " << services_queue_limit_);
1670  LOG(DEBUG, "BGPAAS max shared sessions for service port : " << bgpaas_max_shared_sessions_);
1671 
1672  LOG(DEBUG, "Sandesh Key file : " << sandesh_config_.keyfile);
1673  LOG(DEBUG, "Sandesh Cert file : " << sandesh_config_.certfile);
1674  LOG(DEBUG, "Sandesh CA Cert : " << sandesh_config_.ca_cert);
1675  LOG(DEBUG, "Sandesh SSL Enable : "
1676  << sandesh_config_.sandesh_ssl_enable);
1677  LOG(DEBUG, "Introspect SSL Enable : "
1678  << sandesh_config_.introspect_ssl_enable);
1679 
1680  if (hypervisor_mode_ == MODE_KVM) {
1681  LOG(DEBUG, "Hypervisor mode : kvm");
1682  return;
1683  }
1684 
1685  if (hypervisor_mode_ == MODE_XEN) {
1686  LOG(DEBUG, "Hypervisor mode : xen");
1687  LOG(DEBUG, "XEN Link Local port : " << xen_ll_.name_);
1688  LOG(DEBUG, "XEN Link Local IP Address : " << xen_ll_.addr_.to_string()
1689  << "/" << xen_ll_.plen_);
1690  }
1691 
1692  if (hypervisor_mode_ == MODE_VMWARE) {
1693  LOG(DEBUG, "Hypervisor mode : vmware");
1694  LOG(DEBUG, "Vmware port : " << vmware_physical_port_);
1695  if (vmware_mode_ == VCENTER) {
1696  LOG(DEBUG, "Vmware mode : Vcenter");
1697  } else {
1698  LOG(DEBUG, "Vmware mode : Esxi_Neutron");
1699  }
1700  }
1701  LOG(DEBUG, "Nexthop server endpoint : " << nexthop_server_endpoint_);
1702  LOG(DEBUG, "Agent base directory : " << agent_base_dir_);
1703  LOG(DEBUG, "Vrouter objects high watermark : " << vr_object_high_watermark_);
1704 }
1705 
1707  LOG(DEBUG, "Ethernet Port Encap Type : " << eth_port_encap_type_);
1708  if (eth_port_no_arp_) {
1709  LOG(DEBUG, "Ethernet Port No-ARP : " << "TRUE");
1710  }
1711 
1712  if (platform_ == VROUTER_ON_NIC) {
1713  LOG(DEBUG, "Platform mode : Vrouter on NIC");
1714  } else if (platform_ == VROUTER_ON_HOST_DPDK) {
1715  LOG(DEBUG, "Platform mode : Vrouter on DPDK");
1716  }
1717  else {
1718  LOG(DEBUG, "Platform mode : Vrouter on host linux kernel ");
1719  }
1720 }
1721 
1722 void AgentParam::set_test_mode(bool mode) {
1723  test_mode_ = mode;
1724 }
1725 
1727 (const boost::program_options::options_description &opt) {
1728  options_.add(opt);
1729 }
1730 
1732 (const boost::program_options::options_description &opt) {
1733  config_file_options_.add(opt);
1734 }
1735 
1736 void AgentParam::ParseArguments(int argc, char *argv[]) {
1737  boost::program_options::store(opt::parse_command_line(argc, argv, options_),
1738  var_map_);
1739  boost::program_options::notify(var_map_);
1740 }
1741 
1742 AgentParam::AgentParam(bool enable_flow_options,
1743  bool enable_vhost_options,
1744  bool enable_hypervisor_options,
1745  bool enable_service_options,
1746  AgentMode agent_mode) :
1747  enable_flow_options_(enable_flow_options),
1748  enable_vhost_options_(enable_vhost_options),
1749  enable_hypervisor_options_(enable_hypervisor_options),
1750  enable_service_options_(enable_service_options),
1751  agent_mode_(agent_mode), gateway_mode_(NONE), vhost_(),
1752  pkt0_tx_buffer_count_(Agent::kPkt0TxBufferCount),
1753  measure_queue_delay_(false),
1754  agent_name_(),
1755  eth_port_no_arp_(false), eth_port_encap_type_(),
1756  crypt_port_(), crypt_port_no_arp_(true), crypt_port_encap_type_(),
1757  subcluster_name_(),
1758  dns_client_port_(0), dns_timeout_(3000),
1759  dns_max_retries_(2), mirror_client_port_(0),
1760  mgmt_ip_(), hypervisor_mode_(MODE_KVM),
1761  xen_ll_(), tunnel_type_(), metadata_shared_secret_(),
1762  metadata_proxy_port_(0), metadata_use_ssl_(false),
1763  metadata_client_cert_(""), metadata_client_cert_type_("PEM"),
1764  metadata_client_key_(""), metadata_ca_cert_(""), max_vm_flows_(),
1765  linklocal_system_flows_(), linklocal_vm_flows_(),
1766  flow_cache_timeout_(), flow_index_sm_log_count_(),
1767  flow_add_tokens_(Agent::kFlowAddTokens),
1768  flow_ksync_tokens_(Agent::kFlowKSyncTokens),
1769  flow_del_tokens_(Agent::kFlowDelTokens),
1770  flow_update_tokens_(Agent::kFlowUpdateTokens),
1771  flow_netlink_pin_cpuid_(0),
1772  stale_interface_cleanup_timeout_
1773  (Agent::kDefaultStaleInterfaceCleanupTimeout),
1774  config_file_(), program_name_(),
1775  log_file_(), log_files_count_(kLogFilesCount),
1776  log_file_size_(kLogFileSize),
1777  log_local_(false), log_flow_(false), log_level_(),
1778  log_category_(), use_syslog_(false),
1779  http_server_port_(), rest_port_(), host_name_(),
1780  agent_stats_interval_(kAgentStatsInterval),
1781  flow_stats_interval_(kFlowStatsInterval),
1782  vrouter_stats_interval_(kVrouterStatsInterval),
1783  vmware_physical_port_(""), test_mode_(false), tree_(),
1784  vgw_config_table_(new VirtualGatewayConfigTable() ),
1785  dhcp_relay_mode_(false), xmpp_auth_enable_(false),
1786  xmpp_server_cert_(""), xmpp_server_key_(""), xmpp_ca_cert_(""),
1787  xmpp_dns_auth_enable_(false),
1788  simulate_evpn_tor_(false), si_netns_command_(),
1789  si_docker_command_(), si_netns_workers_(0),
1790  si_netns_timeout_(0), si_lb_ssl_cert_path_(), si_lbaas_auth_conf_(),
1791  vmware_mode_(ESXI_NEUTRON), nexthop_server_endpoint_(),
1792  nexthop_server_add_pid_(0),
1793  vrouter_on_nic_mode_(false),
1794  exception_packet_interface_(""),
1795  platform_(VROUTER_ON_HOST),
1796  agent_base_dir_(),
1797  flow_thread_count_(Agent::kDefaultFlowThreadCount),
1798  flow_trace_enable_(true),
1799  flow_hash_excl_rid_(false),
1800  flow_latency_limit_(Agent::kDefaultFlowLatencyLimit),
1801  max_sessions_per_aggregate_(Agent::kMaxSessions),
1802  max_aggregates_per_session_endpoint_(Agent::kMaxSessionAggs),
1803  max_endpoints_per_session_msg_(Agent::kMaxSessionEndpoints),
1804  subnet_hosts_resolvable_(true),
1805  bgp_as_a_service_port_range_("50000-50512"),
1806  services_queue_limit_(1024),
1807  bgpaas_max_shared_sessions_(4),
1808  sandesh_config_(),
1809  restart_backup_enable_(false),
1810  restart_backup_idle_timeout_(CFG_BACKUP_IDLE_TIMEOUT),
1811  restart_backup_dir_(CFG_BACKUP_DIR),
1812  restart_backup_count_(CFG_BACKUP_COUNT),
1813  restart_restore_enable_(true),
1814  restart_restore_audit_timeout_(CFG_RESTORE_AUDIT_TIMEOUT),
1815  huge_page_file_1G_(),
1816  huge_page_file_2M_(),
1817  ksync_thread_cpu_pin_policy_(),
1818  tbb_thread_count_(Agent::kMaxTbbThreads),
1819  tbb_exec_delay_(0),
1820  tbb_schedule_delay_(0),
1821  tbb_keepawake_timeout_(Agent::kDefaultTbbKeepawakeTimeout),
1822  task_monitor_timeout_msec_(Agent::kDefaultTaskMonitorTimeout),
1823  qos_priority_tagging_(true),
1824  default_nic_queue_(Agent::kInvalidQueueId),
1825  llgr_params_(),
1826  mac_learning_thread_count_(Agent::kDefaultFlowThreadCount),
1827  mac_learning_add_tokens_(Agent::kMacLearningDefaultTokens),
1828  mac_learning_update_tokens_(Agent::kMacLearningDefaultTokens),
1829  mac_learning_delete_tokens_(Agent::kMacLearningDefaultTokens),
1830  min_aap_prefix_len_(Agent::kMinAapPrefixLen),
1831  vmi_vm_vn_uve_interval_(Agent::kDefaultVmiVmVnUveInterval),
1832  fabric_snat_hash_table_size_(Agent::kFabricSnatTableSize),
1833  mvpn_ipv4_enable_(false),AgentMock_(false), cat_MockDPDK_(false),
1834  cat_kSocketDir_("/tmp/"),
1835  vr_object_high_watermark_(Agent::kDefaultHighWatermark),
1836  loopback_ip_(), gateway_list_(AddressList(1, Ip4Address(0))) {
1837 
1838  uint32_t default_pkt0_tx_buffers = Agent::kPkt0TxBufferCount;
1839  uint32_t default_stale_interface_cleanup_timeout = Agent::kDefaultStaleInterfaceCleanupTimeout;
1840  uint32_t default_flow_update_tokens = Agent::kFlowUpdateTokens;
1841  uint32_t default_flow_del_tokens = Agent::kFlowDelTokens;
1842  uint32_t default_flow_ksync_tokens = Agent::kFlowKSyncTokens;
1843  uint32_t default_flow_add_tokens = Agent::kFlowAddTokens;
1844  uint32_t default_tbb_keepawake_timeout = Agent::kDefaultTbbKeepawakeTimeout;
1845  uint32_t default_tbb_thread_count = Agent::kMaxTbbThreads;
1846  uint32_t default_mac_learning_thread_count = Agent::kDefaultFlowThreadCount;
1847  uint32_t default_mac_learning_add_tokens = Agent::kMacLearningDefaultTokens;
1848  uint32_t default_mac_learning_update_tokens = Agent::kMacLearningDefaultTokens;
1849  uint32_t default_mac_learning_delete_tokens = Agent::kMacLearningDefaultTokens;
1850  uint16_t default_fabric_snat_table_size = Agent::kFabricSnatTableSize;
1851 
1852  // Set common command line arguments supported
1853  boost::program_options::options_description generic("Generic options");
1854  generic.add_options()
1855  ("help", "help message")
1856  ("config_file",
1857  opt::value<string>()->default_value(Agent::config_file_),
1858  "Configuration file")
1859  ("version", "Display version information")
1860  ;
1861  opt::options_description debug("Debug options");
1862  debug.add_options()
1863  ("TRACEBUFFSIZE.AgentDBwalkTrace",opt::value<uint32_t>(),
1864  "AgentDBwalkTrace trace buffer size")
1865  ("TRACEBUFFSIZE.BgpAsAService",opt::value<uint32_t>(),
1866  "BgpAsAService trace buffer size")
1867  ("TRACEBUFFSIZE.CryptTunnel",opt::value<uint32_t>(),
1868  "CryptTunnel trace buffer size")
1869  ("TRACEBUFFSIZE.HealthCheck",opt::value<uint32_t>(),
1870  "HealthCheck trace buffer size")
1871  ("TRACEBUFFSIZE.MplsTrace",opt::value<uint32_t>(),
1872  "MplsTrace trace buffer size")
1873  ("TRACEBUFFSIZE.Multicast",opt::value<uint32_t>(),
1874  "Multicast trace buffer size")
1875  ("TRACEBUFFSIZE.InstanceManager",opt::value<uint32_t>(),
1876  "InstanceManager trace buffer size")
1877  ("TRACEBUFFSIZE.OperIfmap",opt::value<uint32_t>(),
1878  "OperIfmap trace buffer size")
1879  ("TRACEBUFFSIZE.PathPreference",opt::value<uint32_t>(),
1880  "PathPreference trace buffer size")
1881  ("TRACEBUFFSIZE.MulticastPolicy",opt::value<uint32_t>(),
1882  "MulticastPolicy trace buffer size")
1883  ("TRACEBUFFSIZE.TaskTrace",opt::value<uint32_t>(),
1884  "TaskTrace trace buffer size")
1885  ("TRACEBUFFSIZE.InterfaceMplsData",opt::value<uint32_t>(),
1886  "InterfaceMplsData trace buffer size")
1887  ("TRACEBUFFSIZE.VrfMplsData",opt::value<uint32_t>(),
1888  "VrfMplsData trace buffer size")
1889  ("TRACEBUFFSIZE.VlanMplsData",opt::value<uint32_t>(),
1890  "VlanMplsData trace buffer size")
1891  ("TRACEBUFFSIZE.RouteMplsData",opt::value<uint32_t>(),
1892  "RouteMplsData trace buffer size")
1893  ("TRACEBUFFSIZE.VersionTrace",opt::value<uint32_t>(),
1894  "VersionTrace trace buffer size")
1895  ("TRACEBUFFSIZE.DnsBind",opt::value<uint32_t>(),
1896  "DnsBind trace buffer size")
1897  ("TRACEBUFFSIZE.IFMapAgentTrace",opt::value<uint32_t>(),
1898  "IFMapAgentTrace trace buffer size")
1899  ("TRACEBUFFSIZE.IOTraceBuf",opt::value<uint32_t>(),
1900  "IOTraceBuf trace buffer size")
1901  ("TRACEBUFFSIZE.XmppMessageTrace",opt::value<uint32_t>(),
1902  "XmppMessageTrace trace buffer size")
1903  ("TRACEBUFFSIZE.XmppTrace",opt::value<uint32_t>(),
1904  "XmppTrace trace buffer size")
1905  ("TRACEBUFFSIZE.Config",opt::value<uint32_t>(),
1906  "Config trace buffer size")
1907  ("TRACEBUFFSIZE.ControllerConnections",opt::value<uint32_t>(),
1908  "ControllerConnections trace buffer size")
1909  ("TRACEBUFFSIZE.ControllerInfo",opt::value<uint32_t>(),
1910  "ControllerInfo trace buffer size")
1911  ("TRACEBUFFSIZE.ControllerTxConfig_1",opt::value<uint32_t>(),
1912  "ControllerTxConfig_1 trace buffer size")
1913  ("TRACEBUFFSIZE.ControllerTxConfig_2",opt::value<uint32_t>(),
1914  "ControllerTxConfig_2 trace buffer size")
1915  ("TRACEBUFFSIZE.ControllerRouteWalker",opt::value<uint32_t>(),
1916  "ControllerRouteWalker trace buffer size")
1917  ("TRACEBUFFSIZE.Controller",opt::value<uint32_t>(),
1918  "Controller trace buffer size")
1919  ("TRACEBUFFSIZE.ControllerRxRouteXmppMessage1",opt::value<uint32_t>(),
1920  "ControllerRxRouteXmppMessage1 trace buffer size")
1921  ("TRACEBUFFSIZE.ControllerRxConfigXmppMessage1",opt::value<uint32_t>(),
1922  "ControllerRxConfigXmppMessage1 trace buffer size")
1923  ("TRACEBUFFSIZE.ControllerRxRouteXmppMessage2",opt::value<uint32_t>(),
1924  "ControllerRxRouteXmppMessage2 trace buffer size")
1925  ("TRACEBUFFSIZE.ControllerRxConfigXmppMessage2",opt::value<uint32_t>(),
1926  "ControllerRxConfigXmppMessage2 trace buffer size")
1927  ("TRACEBUFFSIZE.ControllerTxXmppMessage_1",opt::value<uint32_t>(),
1928  "ControllerTxXmppMessage_1 trace buffer size")
1929  ("TRACEBUFFSIZE.ControllerTxXmppMessage_2",opt::value<uint32_t>(),
1930  "ControllerTxXmppMessage_2 trace buffer size")
1931  ("TRACEBUFFSIZE.Acl",opt::value<uint32_t>(),
1932  "Acl trace buffer size")
1933  ("TRACEBUFFSIZE.VnswIfTrace",opt::value<uint32_t>(),
1934  "VnswIfTrace trace buffer size")
1935  ("TRACEBUFFSIZE.Flow",opt::value<uint32_t>(),
1936  "Flow trace buffer size")
1937  ("TRACEBUFFSIZE.Packet",opt::value<uint32_t>(),
1938  "Packet trace buffer size")
1939  ("TRACEBUFFSIZE.FlowHandler",opt::value<uint32_t>(),
1940  "FlowHandler trace buffer size")
1941  ("TRACEBUFFSIZE.ProuterUve",opt::value<uint32_t>(),
1942  "ProuterUve trace buffer size")
1943  ("TRACEBUFFSIZE.SessionStats",opt::value<uint32_t>(),
1944  "SessionStats trace buffer size")
1945  ("TRACEBUFFSIZE.FlowExportStats",opt::value<uint32_t>(),
1946  "FlowExportStats trace buffer size")
1947  ("TRACEBUFFSIZE.Dhcp",opt::value<uint32_t>(),
1948  "Dhcp trace buffer size")
1949  ("TRACEBUFFSIZE.Dhcpv6",opt::value<uint32_t>(),
1950  "Dhcpv6 trace buffer size")
1951  ("TRACEBUFFSIZE.Icmpv6",opt::value<uint32_t>(),
1952  "Icmpv6 trace buffer size")
1953  ("TRACEBUFFSIZE.Arp",opt::value<uint32_t>(),
1954  "Arp trace buffer size")
1955  ("TRACEBUFFSIZE.Metadata",opt::value<uint32_t>(),
1956  "Metadata trace buffer size")
1957  ("TRACEBUFFSIZE.Bfd",opt::value<uint32_t>(),
1958  "Bfd trace buffer size")
1959  ("TRACEBUFFSIZE.Igmp",opt::value<uint32_t>(),
1960  "Igmp trace buffer size")
1961  ("TRACEBUFFSIZE.KSync Error",opt::value<uint32_t>(),
1962  "KSync Error trace buffer size")
1963  ("TRACEBUFFSIZE.MacLearning",opt::value<uint32_t>(),
1964  "MacLearning trace buffer size")
1965  ("TRACEBUFFSIZE.Xmpp",opt::value<uint32_t>(),
1966  "Xmpp trace buffer size")
1967  ("TRACEBUFFSIZE.KSync Interface",opt::value<uint32_t>(),
1968  "KSync Interface trace buffer size")
1969  ("TRACEBUFFSIZE.KSync Mpls",opt::value<uint32_t>(),
1970  "KSync Mpls trace buffer size")
1971  ("TRACEBUFFSIZE.KSync Nexthop",opt::value<uint32_t>(),
1972  "KSync Nexthop trace buffer size")
1973  ("TRACEBUFFSIZE.KSync Mirror",opt::value<uint32_t>(),
1974  "KSync Mirror trace buffer size")
1975  ("TRACEBUFFSIZE.KSync VxLan",opt::value<uint32_t>(),
1976  "KSync VxLan trace buffer size")
1977  ("TRACEBUFFSIZE.KSync VrfAssign",opt::value<uint32_t>(),
1978  "KSync VrfAssign trace buffer size")
1979  ("TRACEBUFFSIZE.KSync Qos Queue Object",opt::value<uint32_t>(),
1980  "KSync Qos Queue Object trace buffer size")
1981  ("TRACEBUFFSIZE.KSync Forwarding class object",opt::value<uint32_t>(),
1982  "KSync Forwarding class object trace buffer size")
1983  ("TRACEBUFFSIZE.KSync Qos Config class object",opt::value<uint32_t>(),
1984  "KSync Qos Config class object trace buffer size")
1985  ("TRACEBUFFSIZE.KSync BridgeRouteTable",opt::value<uint32_t>(),
1986  "KSync BridgeRouteTable trace buffer size")
1987  ("TRACEBUFFSIZE.KSync FlowTable",opt::value<uint32_t>(),
1988  "KSync FlowTable trace buffer size")
1989  ("TRACEBUFFSIZE.Oper db.interface.0",opt::value<uint32_t>(),
1990  "Oper db.interface.0 trace buffer size")
1991  ("TRACEBUFFSIZE.Oper db.healthcheck.0",opt::value<uint32_t>(),
1992  "Oper db.healthcheck.0 trace buffer size")
1993  ("TRACEBUFFSIZE.Oper db.crypttunnel.0",opt::value<uint32_t>(),
1994  "Oper db.crypttunnel.0 trace buffer size")
1995  ("TRACEBUFFSIZE.Oper db.nexthop.0",opt::value<uint32_t>(),
1996  "Oper db.nexthop.0 trace buffer size")
1997  ("TRACEBUFFSIZE.Oper db.vrf.0",opt::value<uint32_t>(),
1998  "Oper db.vrf.0 trace buffer size")
1999  ("TRACEBUFFSIZE.Oper db.vm.0",opt::value<uint32_t>(),
2000  "Oper db.vm.0 trace buffer size")
2001  ("TRACEBUFFSIZE.Oper db.sg.0",opt::value<uint32_t>(),
2002  "Oper db.sg.0 trace buffer size")
2003  ("TRACEBUFFSIZE.Oper db.tag.0",opt::value<uint32_t>(),
2004  "Oper db.tag.0 trace buffer size")
2005  ("TRACEBUFFSIZE.Oper db.vn.0",opt::value<uint32_t>(),
2006  "Oper db.vn.0 trace buffer size")
2007  ("TRACEBUFFSIZE.Oper db.mpls.0",opt::value<uint32_t>(),
2008  "Oper db.mpls.0 trace buffer size")
2009  ("TRACEBUFFSIZE.Oper db.acl.0",opt::value<uint32_t>(),
2010  "Oper db.acl.0 trace buffer size")
2011  ("TRACEBUFFSIZE.Oper db.mirror_table.0",opt::value<uint32_t>(),
2012  "Oper db.mirror_table.0 trace buffer size")
2013  ("TRACEBUFFSIZE.Oper db.vrf_assign.0",opt::value<uint32_t>(),
2014  "Oper db.vrf_assign.0 trace buffer size")
2015  ("TRACEBUFFSIZE.Oper db.policy_set.0",opt::value<uint32_t>(),
2016  "Oper db.policy_set.0 trace buffer size")
2017  ("TRACEBUFFSIZE.Oper db.vxlan.0",opt::value<uint32_t>(),
2018  "Oper db.vxlan.0 trace buffer size")
2019  ("TRACEBUFFSIZE.Oper db.qos_queue.0",opt::value<uint32_t>(),
2020  "Oper db.qos_queue.0 trace buffer size")
2021  ("TRACEBUFFSIZE.Oper db.forwardingclass.0",opt::value<uint32_t>(),
2022  "Oper db.forwardingclass.0 trace buffer size")
2023  ("TRACEBUFFSIZE.Oper db.security_logging_object.0",opt::value<uint32_t>(),
2024  "Oper db.security_logging_object.0 trace buffer size")
2025  ("TRACEBUFFSIZE.Oper db.qos_config.0",opt::value<uint32_t>(),
2026  "Oper db.qos_config.0 trace buffer size")
2027  ("TRACEBUFFSIZE.Oper db.bridge_domain.0",opt::value<uint32_t>(),
2028  "Oper db.bridge_domain.0 trace buffer size")
2029  ("TRACEBUFFSIZE.Oper db.multicast_policy.0",opt::value<uint32_t>(),
2030  "Oper db.multicast_policy.0 trace buffer size")
2031  ("TRACEBUFFSIZE.Oper db.service-instance.0",opt::value<uint32_t>(),
2032  "Oper db.service-instance.0 trace buffer size")
2033  ("TRACEBUFFSIZE.Oper db.physical_devices.0",opt::value<uint32_t>(),
2034  "Oper db.physical_devices.0 trace buffer size")
2035  ("TRACEBUFFSIZE.Oper db.physical_device_vn.0",opt::value<uint32_t>(),
2036  "Oper db.physical_device_vn.0 trace buffer size")
2037  ("TRACEBUFFSIZE.httpbuf",opt::value<uint32_t>(),
2038  "httpbuf trace buffer size")
2039  ("TRACEBUFFSIZE.OperRoute",opt::value<uint32_t>(),
2040  "OperRoute trace buffer size")
2041  ("TRACEBUFFSIZE.KSync Route",opt::value<uint32_t>(),
2042  "KSync Route trace buffer size");
2043  options_.add(debug);
2044  config_file_options_.add(debug);
2045 
2046 
2047  boost::program_options::options_description config("Configuration options");
2048  config.add_options()
2049  ("CONTROL-NODE.servers",
2050  opt::value<std::vector<std::string> >()->multitoken(),
2051  "List of IPAddress:Port of Control node Servers")
2052  ("CONTROL-NODE.subcluster_name", opt::value<string>(), "Cluster identifier")
2053  ("DEFAULT.collectors",
2054  opt::value<std::vector<std::string> >()->multitoken(),
2055  "Collector server list")
2056  ("DEFAULT.derived_stats",
2057  opt::value<std::vector<std::string> >()->multitoken(),
2058  "Derived Stats Parameters")
2059  ("DEFAULT.flow_cache_timeout",
2060  opt::value<uint16_t>()->default_value(Agent::kDefaultFlowCacheTimeout),
2061  "Flow aging time in seconds")
2062  ("DEFAULT.stale_interface_cleanup_timeout",
2063  opt::value<uint32_t>()->default_value(default_stale_interface_cleanup_timeout),
2064  "Stale Interface cleanup timeout")
2065  ("DEFAULT.hostname", opt::value<string>(),
2066  "Hostname of compute-node")
2067  ("DEFAULT.dhcp_relay_mode", opt::bool_switch(&dhcp_relay_mode_),
2068  "Enable / Disable DHCP relay of DHCP packets from virtual instance")
2069  ("DEFAULT.agent_name", opt::value<string>(),
2070  "Agent Name")
2071  ("DEFAULT.http_server_port",
2072  opt::value<uint16_t>()->default_value(ContrailPorts::HttpPortAgent()),
2073  "Sandesh HTTP listener port")
2074  ("DEFAULT.rest_port",
2075  opt::value<uint16_t>()->default_value(ContrailPorts::PortIpcVrouterAgentPort()),
2076  "REST Server port")
2077  ("DEFAULT.tunnel_type", opt::value<string>()->default_value("MPLSoGRE"),
2078  "Tunnel Encapsulation type <MPLSoGRE|MPLSoUDP|VXLAN>")
2079  ("DEFAULT.agent_mode", opt::value<string>(),
2080  "Run agent in vrouter / tsn / tor mode")
2081  ("DEFAULT.gateway_mode", opt::value<string>(),
2082  "Set gateway mode to server/ vcpe")
2083  ("DEFAULT.agent_base_directory", opt::value<string>()->default_value("/var/lib/contrail"),
2084  "Base directory used by the agent")
2085  ("DNS.servers",
2086  opt::value<vector<string> >()->multitoken(),
2087  "List of IPAddress:Port of DNS node Servers")
2088  ("DEFAULT.xmpp_auth_enable", opt::bool_switch(&xmpp_auth_enable_),
2089  "Enable Xmpp over TLS")
2090  ("DEFAULT.tsn_servers",
2091  opt::value<std::vector<std::string> >()->multitoken(),
2092  "List of IPAddress of TSN Servers")
2093  ("DEFAULT.min_aap_prefix_len", opt::value<uint16_t>(),
2094  "Minimum prefix-len for Allowed-address-pair entries")
2095  ("DEFAULT.vmi_vm_vn_uve_interval",
2096  opt::value<uint16_t>()->default_value(Agent::kDefaultVmiVmVnUveInterval),
2097  "UVE send interval in seconds")
2098  ("DNS.dns_timeout", opt::value<uint32_t>()->default_value(3000),
2099  "DNS Timeout")
2100  ("DNS.dns_max_retries", opt::value<uint32_t>()->default_value(2),
2101  "Dns Max Retries")
2102  ("DNS.dns_client_port",
2103  opt::value<uint16_t>()->default_value(ContrailPorts::VrouterAgentDnsClientUdpPort()),
2104  "Dns client port")
2105  ("DEFAULT.xmpp_server_cert",
2106  opt::value<string>()->default_value(
2107  "/etc/contrail/ssl/certs/server.pem"),
2108  "XMPP Server ssl certificate")
2109  ("DEFAULT.xmpp_server_key",
2110  opt::value<string>()->default_value(
2111  "/etc/contrail/ssl/private/server-privkey.pem"),
2112  "XMPP Server ssl private key")
2113  ("DEFAULT.xmpp_ca_cert",
2114  opt::value<string>()->default_value(
2115  "/etc/contrail/ssl/certs/ca-cert.pem"),
2116  "XMPP CA ssl certificate")
2117  ("DEFAULT.xmpp_dns_auth_enable", opt::bool_switch(&xmpp_dns_auth_enable_),
2118  "Enable Xmpp over TLS for DNS")
2119  ("METADATA.metadata_proxy_secret", opt::value<string>(),
2120  "Shared secret for metadata proxy service")
2121  ("METADATA.metadata_proxy_port",
2122  opt::value<uint16_t>()->default_value(ContrailPorts::MetadataProxyVrouterAgentPort()),
2123  "Metadata proxy port ")
2124  ("METADATA.metadata_use_ssl", opt::bool_switch(&metadata_use_ssl_),
2125  "Enable SSL for Metadata proxy service")
2126  ("METADATA.metadata_client_cert", opt::value<string>()->default_value(""),
2127  "METADATA Client ssl certificate")
2128  ("METADATA.metadata_client_cert_type", opt::value<string>()->default_value("PEM"),
2129  "METADATA Client ssl certificate type")
2130  ("METADATA.metadata_client_key", opt::value<string>()->default_value(""),
2131  "METADATA Client ssl private key")
2132  ("METADATA.metadata_ca_cert", opt::value<string>()->default_value(""),
2133  "METADATA CA ssl certificate")
2134  ("NETWORKS.control_network_ip", opt::value<string>(),
2135  "control-channel IP address used by WEB-UI to connect to vnswad")
2136  ("DEFAULT.platform", opt::value<string>(),
2137  "Mode in which vrouter is running, option are dpdk or vnic")
2138  ("DEFAULT.agent_mock",opt::value<bool>()->default_value(false),
2139  "Agent Mocking Mode")
2140  ("AGENT-TEST-FRAMEWORK.mock_dpdk",
2141  opt::value<bool>()->default_value(false),
2142  "mock dpdk")
2143  ("AGENT-TEST-FRAMEWORK.ksocketdir",
2144  opt::value<string>()->default_value("/tmp/"),
2145  "ksocket directory")
2146  ("DEFAULT.subnet_hosts_resolvable",
2147  opt::bool_switch(&subnet_hosts_resolvable_)->default_value(true))
2148  ("DEFAULT.pkt0_tx_buffers", opt::value<uint32_t>()->default_value(default_pkt0_tx_buffers),
2149  "Number of tx-buffers for pkt0 interface")
2150  ("DEFAULT.physical_interface_address",
2151  opt::value<string>()->default_value(""))
2152  ("DEFAULT.physical_interface_mac",
2153  opt::value<string>()->default_value(""))
2154  ("HYPERVISOR.vmware_physical_interface",
2155  opt::value<string>()->default_value(""))
2156  ("DEFAULT.mirror_client_port",
2157  opt::value<uint16_t>()->default_value(ContrailPorts::VrouterAgentMirrorClientUdpPort()),
2158  "Mirror client Port")
2159  ("DEFAULT.simulate_evpn_tor", opt::bool_switch(&simulate_evpn_tor_),
2160  "Simulate Evpn Tor")
2161  ("DEFAULT.measure_queue_delay", opt::bool_switch(&measure_queue_delay_),
2162  "Measure flow queue delay")
2163  ("NEXTHOP-SERVER.endpoint", opt::value<string>(),
2164  "Nexthop Server Endpoint")
2165  ("NEXTHOP-SERVER.add_pid", opt::bool_switch(&nexthop_server_add_pid_),
2166  "Enable Nh Sever Pid")
2167  ("DEFAULT.mvpn_ipv4_enable", opt::bool_switch(&mvpn_ipv4_enable_),
2168  "Enable MVPN IPv4 in Agent")
2169  ("DEFAULT.vr_object_high_watermark", opt::value<float>()->default_value(80),
2170  "Max allowed vr object usage till alarm is raised - given as % (in integer) of object limit in vrouter")
2171  ;
2172  options_.add(generic).add(config);
2173  config_file_options_.add(config);
2174 
2175  opt::options_description restart("Restart options");
2176  restart.add_options()
2177  ("RESTART.backup_enable",
2178  opt::bool_switch(&restart_backup_enable_)->default_value(false),
2179  "Enable backup of config and resources into a file")
2180  ("RESTART.backup_idle_timeout", opt::value<uint64_t>()->default_value(CFG_BACKUP_IDLE_TIMEOUT),
2181  "Generate backup if no change detected in configured time (in msec)")
2182  ("RESTART.backup_dir", opt::value<string>()->default_value(CFG_BACKUP_DIR),
2183  "Directory storing backup files for configuraion or resource")
2184  ("RESTART.backup_count", opt::value<uint16_t>()->default_value(CFG_BACKUP_COUNT),
2185  "Number of backup files")
2186  ("RESTART.restore_enable", opt::bool_switch(&restart_restore_enable_)->default_value(true),
2187  "Enable restore of config and resources from backup files")
2188  ("RESTART.restore_audit_timeout", opt::value<uint64_t>()->default_value(CFG_RESTORE_AUDIT_TIMEOUT),
2189  "Audit time for config/resource read from file (in milli-sec)")
2190  ("RESTART.huge_page_1G",
2191  opt::value<std::vector<std::string> >()->multitoken(),
2192  "List of 1G Huge pages to be used by vrouter for flow and bridge entries")
2193  ("RESTART.huge_page_2M",
2194  opt::value<std::vector<std::string> >()->multitoken(),
2195  "List of 2M Huge pages to be used by vrouter");
2196  options_.add(restart);
2197  config_file_options_.add(restart);
2198  opt::options_description log("Logging options");
2199  std::vector<std::string> default_session_destination;
2200  std::vector<std::string> implicit_session_destination;
2201  default_session_destination.push_back("collector");
2202  log.add_options()
2203  ("DEFAULT.log_category", opt::value<string>()->default_value(""),
2204  "Category filter for local logging of sandesh messages")
2205  ("DEFAULT.log_file",
2206  opt::value<string>()->default_value(Agent::GetInstance()->log_file()),
2207  "Filename for the logs to be written to")
2208  ("DEFAULT.log_files_count", opt::value<int>(),
2209  "Maximum log file roll over index")
2210  ("DEFAULT.log_file_size", opt::value<long>(),
2211  "Maximum size of the log file")
2212  ("DEFAULT.log_level", opt::value<string>()->default_value("SYS_NOTICE"),
2213  "Severity level for local logging of sandesh messages")
2214  ("DEFAULT.log_local", opt::bool_switch(&log_local_),
2215  "Enable local logging of sandesh messages")
2216  ("DEFAULT.use_syslog", opt::bool_switch(&use_syslog_),
2217  "Enable logging to syslog")
2218  ("DEFAULT.syslog_facility", opt::value<string>()->default_value("LOG_LOCAL0"),
2219  "Syslog facility to receive log lines")
2220  ("DEFAULT.log_flow", opt::bool_switch(&log_flow_),
2221  "Enable local logging of flow sandesh messages")
2222  ("DEFAULT.log_property_file", opt::value<string>()->default_value(""),
2223  "Log Property File")
2224  ("SESSION.slo_destination",
2225  opt::value<vector<string> >()
2226  ->default_value(default_session_destination, std::string("collector"))
2227  ->implicit_value(implicit_session_destination, std::string("")),
2228  "List of destinations. valid values are collector, file, syslog. Space delimited")
2229  ("SESSION.sample_destination",
2230  opt::value<std::vector<std::string> >()
2231  ->default_value(default_session_destination, std::string("collector"))
2232  ->implicit_value(implicit_session_destination, std::string("")),
2233  "List of destinations. valid values are collector, file, syslog. Space delimited");
2234  options_.add(log);
2235  config_file_options_.add(log);
2236 
2237  if (enable_flow_options_) {
2238  opt::options_description flow("Flow options");
2239  flow.add_options()
2240  ("FLOWS.thread_count", opt::value<uint16_t>()->default_value(Agent::kDefaultFlowThreadCount),
2241  "Number of threads for flow setup")
2242  ("FLOWS.max_vm_flows", opt::value<float>()->default_value(100),
2243  "Maximum flows allowed per VM - given as % (in integer) of ")
2244  ("FLOWS.max_system_linklocal_flows", opt::value<uint16_t>()->default_value(Agent::kDefaultMaxLinkLocalOpenFds),
2245  "Maximum number of link-local flows allowed across all VMs")
2246  ("FLOWS.max_vm_linklocal_flows", opt::value<uint16_t>()->default_value(Agent::kDefaultMaxLinkLocalOpenFds),
2247  "Maximum number of link-local flows allowed per VM")
2248  ("FLOWS.trace_enable", opt::bool_switch(&flow_trace_enable_)->default_value(true),
2249  "Enable flow tracing")
2250  ("FLOWS.add_tokens", opt::value<uint32_t>()->default_value(default_flow_add_tokens),
2251  "Number of add-tokens")
2252  ("FLOWS.ksync_tokens", opt::value<uint32_t>()->default_value(default_flow_ksync_tokens),
2253  "Number of ksync-tokens")
2254  ("FLOWS.del_tokens", opt::value<uint32_t>()->default_value(default_flow_del_tokens),
2255  "Number of delete-tokens")
2256  ("FLOWS.update_tokens", opt::value<uint32_t>()->default_value(default_flow_update_tokens),
2257  "Number of update-tokens")
2258  ("FLOWS.hash_exclude_router_id", opt::value<bool>(),
2259  "Exclude router-id in hash calculation")
2260  ("FLOWS.index_sm_log_count", opt::value<uint16_t>()->default_value(Agent::kDefaultFlowIndexSmLogCount),
2261  "Index Sm Log Count")
2262  ("FLOWS.latency_limit", opt::value<uint16_t>()->default_value(Agent::kDefaultFlowLatencyLimit),
2263  "Latency Limit")
2264  ("FLOWS.max_sessions_per_aggregate", opt::value<uint16_t>()->default_value(Agent::kMaxSessions),
2265  "Maximum number of sessions per Session Aggregate entry")
2266  ("FLOWS.max_aggregates_per_session_endpoint", opt::value<uint16_t>()->default_value(Agent::kMaxSessionAggs),
2267  "Maximum number of Session Aggregates per SessionEndpoint Entry")
2268  ("FLOWS.max_endpoints_per_session_msg", opt::value<uint16_t>()->default_value(Agent::kMaxSessionEndpoints),
2269  "Maximum number of SessionEnpoint entries per SessionEndpointObject")
2270  ("FLOWS.fabric_snat_hash_table_size", opt::value<uint16_t>()->default_value(default_fabric_snat_table_size),
2271  "Size of Port NAT hash table")
2272  ;
2273  options_.add(flow);
2274  config_file_options_.add(flow);
2275  }
2276 
2278  opt::options_description hypervisor("Hypervisor specific options");
2279  hypervisor.add_options()
2280  ("HYPERVISOR.type", opt::value<string>()->default_value("kvm"),
2281  "Type of hypervisor <kvm|xen|vmware>")
2282  ("HYPERVISOR.xen_ll_interface", opt::value<string>(),
2283  "Port name on host for link-local network")
2284  ("HYPERVISOR.xen_ll_ip", opt::value<string>(),
2285  "IP Address and prefix or the link local port in ip/prefix format")
2286  ("HYPERVISOR.vmware_physical_port", opt::value<string>(),
2287  "Physical port used to connect to VMs in VMWare environment")
2288  ("HYPERVISOR.vmware_mode",
2289  opt::value<string>()->default_value("esxi_neutron"),
2290  "VMWare mode <esxi_neutron|vcenter>")
2291  ;
2292  options_.add(hypervisor);
2293  config_file_options_.add(hypervisor);
2294  }
2295 
2296  if (enable_vhost_options_) {
2297  opt::options_description vhost("VHOST interface specific options");
2298  vhost.add_options()
2299  ("VIRTUAL-HOST-INTERFACE.name", opt::value<string>(),
2300  "Name of virtual host interface")
2301  ("VIRTUAL-HOST-INTERFACE.ip", opt::value<string>(),
2302  "IP address and prefix in ip/prefix_len format")
2303  ("VIRTUAL-HOST-INTERFACE.gateway",
2304  opt::value<string>(),
2305  "Lisg of gateway IP address for virtual host")
2306  ("VIRTUAL-HOST-INTERFACE.physical_interface",
2307  opt::value<std::vector<std::string> >()->multitoken(),
2308  "Physical interface name to which virtual host interface maps to")
2309  ("VIRTUAL-HOST-INTERFACE.physical_interface_addr",
2310  opt::value<string>(),
2311  "List of Physical interface ip address")
2312  ("VIRTUAL-HOST-INTERFACE.compute_node_address",
2313  opt::value<std::vector<std::string> >()->multitoken(),
2314  "List of addresses on compute node")
2315  ("VIRTUAL-HOST-INTERFACE.physical_port_routes",
2316  opt::value<std::vector<std::string> >()->multitoken(),
2317  "Static routes to be added on physical interface")
2318  ("VIRTUAL-HOST-INTERFACE.eth_port_no_arp", opt::bool_switch(&eth_port_no_arp_),
2319  "Ethernet Port No-ARP")
2320  ("VIRTUAL-HOST-INTERFACE.eth_port_encap_type", opt::value<string>(),
2321  "Ethernet Port Encap Type")
2322  ("VIRTUAL-HOST-INTERFACE.loopback_ip", opt::value<string>(),
2323  "Compute Loopback IP")
2324  ;
2325  options_.add(vhost);
2326  config_file_options_.add(vhost);
2327  }
2328 
2330  opt::options_description service("Service instance specific options");
2331  service.add_options()
2332  ("SERVICE-INSTANCE.netns_command", opt::value<string>(),
2333  "Script path used when a service instance is spawned with network namespace")
2334  ("SERVICE-INSTANCE.netns_timeout", opt::value<int>()->default_value(0),
2335  "Timeout used to set a netns command as failing and to destroy it")
2336  ("SERVICE-INSTANCE.netns_workers", opt::value<int>()->default_value(0),
2337  "Number of workers used to spawn netns command")
2338  ("SERVICE-INSTANCE.docker_command", opt::value<string>(),
2339  "Service instance docker command")
2340  ("SERVICE-INSTANCE.lb_ssl_cert_path", opt::value<string>(),
2341  "Loadbalancer ssl certificate path")
2342  ("SERVICES.bgp_as_a_service_port_range", opt::value<string>(),
2343  "Port range for BgPass ")
2344  ("SERVICES.queue_limit", opt::value<uint32_t>()->default_value(1024),
2345  "Work queue for different services")
2346  ("SERVICES.bgpaas_max_shared_sessions", opt::value<uint32_t>(),
2347  "BGPAAS max shared sessions for service port")
2348  ("SERVICE-INSTANCE.lbaas_auth_conf", opt::value<string>(),
2349  "Credentials fo ssl certificates and private-keys")
2350  ;
2351  options_.add(service);
2352  config_file_options_.add(service);
2353  }
2354 
2355 
2356  opt::options_description tbb("TBB specific options");
2357  tbb.add_options()
2358  ("TASK.thread_count", opt::value<uint32_t>()->default_value(default_tbb_thread_count),
2359  "Max number of threads used by TBB")
2360  ("TASK.log_exec_threshold", opt::value<uint32_t>()->default_value(0),
2361  "Log message if task takes more than threshold (msec) to execute")
2362  ("TASK.log_schedule_threshold", opt::value<uint32_t>()->default_value(0),
2363  "Log message if task takes more than threshold (msec) to schedule")
2364  ("TASK.tbb_keepawake_timeout", opt::value<uint32_t>()->default_value(default_tbb_keepawake_timeout),
2365  "Timeout for the TBB keepawake timer")
2366  ("TASK.task_monitor_timeout", opt::value<uint32_t>(),
2367  "Timeout for the Task monitoring")
2368  ("TASK.ksync_thread_cpu_pin_policy", opt::value<string>(),
2369  "Pin ksync io task to CPU")
2370  ("TASK.flow_netlink_pin_cpuid", opt::value<uint32_t>(),
2371  "CPU-ID to pin")
2372  ;
2373  options_.add(tbb);
2374  config_file_options_.add(tbb);
2375 
2376  opt::options_description sandesh("Sandesh specific options");
2378  options_.add(sandesh);
2379  config_file_options_.add(sandesh);
2380 
2381  opt::options_description llgr("LLGR");
2382  llgr.add_options()
2383  ("LLGR.disable", opt::value<bool>()->default_value(false),
2384  "Disable LLGR")
2385  ("LLGR.stale_config_cleanup_time", opt::value<uint16_t>()->default_value(100),
2386  "LLGR Stale Config Cleanup Time")
2387  ("LLGR.config_poll_time", opt::value<uint16_t>()->default_value(5),
2388  "LLGR Config Poll Time")
2389  ("LLGR.config_inactivity_time", opt::value<uint16_t>()->default_value(15),
2390  "LLGR Config Inactive Time")
2391  ("LLGR.config_fallback_time", opt::value<uint16_t>()->default_value(900),
2392  "LLGR Config Fallback Time")
2393  ("LLGR.end_of_rib_tx_poll_time", opt::value<uint16_t>()->default_value(5),
2394  "LLGR End Of Rib Poll Time")
2395  ("LLGR.end_of_rib_tx_fallback_time", opt::value<uint16_t>()->default_value(60),
2396  "LLGR End Of Rib Tx Fallback Time")
2397  ("LLGR.end_of_rib_tx_inactivity_time", opt::value<uint16_t>()->default_value(15),
2398  "LLGR End Of Rib Tx Inactivity Time")
2399  ("LLGR.end_of_rib_rx_fallback_time", opt::value<uint16_t>()->default_value(60),
2400  "LLGR End Of Rib Rx Fallback Time")
2401  ;
2402  options_.add(llgr);
2403  config_file_options_.add(llgr);
2404 
2405  opt::options_description mac_learn("MAC-LEARNING");
2406  mac_learn.add_options()
2407  ("MAC-LEARNING.thread_count", opt::value<uint32_t>()->default_value(default_mac_learning_thread_count),
2408  "Thread Count")
2409  ("MAC-LEARNING.add_tokens", opt::value<uint32_t>()->default_value(default_mac_learning_add_tokens),
2410  "Add Tokens")
2411  ("MAC-LEARNING.del_tokens", opt::value<uint32_t>()->default_value(default_mac_learning_update_tokens),
2412  "Del Tokens")
2413  ("MAC-LEARNING.update_tokens", opt::value<uint32_t>()->default_value(default_mac_learning_delete_tokens),
2414  "Update Tokens")
2415  ;
2416  options_.add(mac_learn);
2417  config_file_options_.add(mac_learn);
2418 
2419  opt::options_description qos("Quality of Service options");
2420  qos.add_options()
2421  ("QOS.priority_tagging",
2422  opt::bool_switch(&qos_priority_tagging_)->default_value(true),
2423  "Enable Priority tagging")
2424  ;
2425  options_.add(qos);
2426  config_file_options_.add(qos);
2427 
2428  opt::options_description crypt("CRYPT");
2429  crypt.add_options()
2430  ("CRYPT.crypt_interface", opt::value<string>(),
2431  "Interface name to send data for encrypt")
2432  ;
2433  options_.add(crypt);
2434  config_file_options_.add(crypt);
2435 
2436 }
2437 
2439 }
2440 
2451 }
bool mvpn_ipv4_enable_
Definition: agent_param.h:847
void ParseAgentInfoArguments(const boost::program_options::variables_map &v)
Definition: agent_param.cc:736
AgentParam(bool enable_flow_options=true, bool enable_vhost_options=true, bool enable_hypervisor_options=true, bool enable_service_options=true, AgentMode agent_mode=VROUTER_AGENT)
bool eth_port_no_arp_
Definition: agent_param.h:703
uint32_t llgr_stale_time_
Definition: agent_param.h:107
void DebugInit()
virtual void ProcessArguments()
static const int kEorTxPollTime
Definition: agent_param.h:22
static const int kEorRxFallbackTime
Definition: agent_param.h:25
static Agent * GetInstance()
Definition: agent.h:436
static const uint32_t kDefaultFlowIndexSmLogCount
Definition: agent.h:368
boost::system::error_code Ip4PrefixParse(const string &str, Ip4Address *addr, int *plen)
Definition: address.cc:107
#define kLogFileSize
Definition: agent.h:309
void ParseMacLearning(const boost::program_options::variables_map &v)
Definition: agent_param.cc:901
static const uint32_t kDefaultFlowCacheTimeout
Definition: agent.h:366
static const uint32_t kFlowKSyncTokens
Definition: agent.h:384
#define CFG_BACKUP_COUNT
Definition: agent.h:314
void UpdateBgpAsaServicePortRange()
uint16_t end_of_rib_rx_fallback_time_
Definition: agent_param.h:106
#define CFG_BACKUP_DIR
Definition: agent.h:313
bool metadata_use_ssl_
Definition: agent_param.h:722
void ParseServiceInstanceArguments(const boost::program_options::variables_map &v)
Definition: agent_param.cc:749
string program_name(string filename)
bool subnet_hosts_resolvable_
Definition: agent_param.h:800
bool xmpp_auth_enable_
Definition: agent_param.h:767
void ParseHypervisorArguments(const boost::program_options::variables_map &v)
Definition: agent_param.cc:554
bool qos_priority_tagging_
Definition: agent_param.h:835
static const int kEorTxFallbackTimeOut
Definition: agent_param.h:23
void ParseTaskSectionArguments(const boost::program_options::variables_map &v)
Definition: agent_param.cc:653
bool log_local_
Definition: agent_param.h:746
bool stringToInteger(const std::string &str, NumberType &num)
Definition: string_util.h:71
bool IsConfiguredTsnHostRoute(std::string addr) const
void LogConfig() const
static const uint8_t kMaxSessionAggs
Definition: agent.h:392
static const uint16_t MetadataProxyVrouterAgentPort()
void ParseIpArgument(const boost::program_options::variables_map &var_map, Ip4Address &server, const std::string &key)
Definition: agent_param.cc:154
void ParseCollectorArguments(const boost::program_options::variables_map &var_map)
Definition: agent_param.cc:413
static bool ValidateInterface(bool test_mode, const std::string &ifname, bool *no_arp, string *eth_encap)
bool enable_service_options_
Definition: agent_param.h:689
void ParseSessionDestinationArguments(const boost::program_options::variables_map &v)
Definition: agent_param.cc:369
void ParsePlatformArguments(const boost::program_options::variables_map &v)
Definition: agent_param.cc:790
void ParseDefaultSectionArguments(const boost::program_options::variables_map &v)
Definition: agent_param.cc:603
static const uint32_t kFlowAddTokens
Definition: agent.h:383
uint16_t end_of_rib_tx_poll_time_
Definition: agent_param.h:102
void ParseTraceArguments(const boost::program_options::variables_map &v)
Definition: agent_param.cc:919
bool ParseAddress(const std::string &addr_string, Ip4Address *server, uint16_t *port)
Definition: agent_param.cc:103
virtual void ProcessTraceArguments()
boost::shared_ptr< TraceBuffer< SandeshTrace > > SandeshTraceBufferPtr
Definition: sandesh_trace.h:18
void set_test_mode(bool mode)
void ParseArguments(int argc, char *argv[])
void ParseControllerServersArguments(const boost::program_options::variables_map &var_map)
Definition: agent_param.cc:424
void SetTraceBufferSize(const string &tracebuff, size_t size)
void ParseVirtualHostArguments(const boost::program_options::variables_map &v)
Definition: agent_param.cc:505
void ComputeVrWatermark()
bool GetOptValueIfNotDefaulted(const boost::program_options::variables_map &var_map, ValueType &var, const std::string &val)
Definition: options_util.h:65
bool ParseIp(const std::string &key, Ip4Address *server)
Definition: agent_param.cc:56
void AddOptions(const boost::program_options::options_description &opt)
void ParseTsnServersArguments(const boost::program_options::variables_map &var_map)
Definition: agent_param.cc:447
uint16_t config_fallback_time_
Definition: agent_param.h:100
virtual ~AgentParam()
void UpdateBgpAsaServicePortRangeValue()
bool restart_backup_enable_
Definition: agent_param.h:810
SandeshConfig sandesh_config_
Definition: agent_param.h:807
void ParseQueue()
Definition: agent_param.cc:309
static const uint32_t kMaxTbbThreads
Definition: agent.h:374
static const int kConfigFallbackTimeOut
Definition: agent_param.h:21
static const uint16_t kFabricSnatTableSize
Definition: agent.h:394
virtual void ReInitFromConfig()
void ComputeFlowAndFileLimits()
void ParseCollectorDSArguments(const boost::program_options::variables_map &v)
Definition: agent_param.cc:459
void ConfigAddOptions(const boost::program_options::options_description &opt)
uint8_t type
Definition: load_balance.h:109
SandeshTraceBufferPtr SandeshTraceBufferResetSize(const std::string &buf_name, size_t buf_size)
Definition: sandesh_trace.h:39
Definition: agent.h:358
void ParseDnsArguments(const boost::program_options::variables_map &v)
Definition: agent_param.cc:542
virtual void InitFromConfig()
static const uint32_t kPkt0TxBufferCount
Definition: agent.h:378
static const uint32_t kDefaultTbbKeepawakeTimeout
Definition: agent.h:375
bool ParseServerList(const std::string &key, Ip4Address *s1, Ip4Address *s2)
virtual void InitFromSystem()
void ReInit()
void ParseNexthopServerArguments(const boost::program_options::variables_map &v)
Definition: agent_param.cc:762
void set_agent_mode(const std::string &mode)
Definition: agent_param.cc:285
static bool use_syslog_
Definition: logging.cc:20
static std::map< string, std::map< string, string > > ParseDerivedStats(const std::vector< std::string > &dsvec)
Definition: agent_param.cc:225
static const uint16_t VrouterAgentMirrorClientUdpPort()
static const uint32_t kMacLearningDefaultTokens
Definition: agent.h:387
bool simulate_evpn_tor_
Definition: agent_param.h:775
static const std::string & NullString()
Definition: agent.h:437
static const int kConfigPollTime
Definition: agent_param.h:19
static const uint16_t PortIpcVrouterAgentPort()
bool xmpp_dns_auth_enable_
Definition: agent_param.h:771
static const uint8_t kMaxSessions
Definition: agent.h:393
void ParseTestFrameworkArguments(const boost::program_options::variables_map &var_map)
Definition: agent_param.cc:820
void ParseDhcpRelayModeArguments(const boost::program_options::variables_map &var_map)
Definition: agent_param.cc:726
#define CFG_BACKUP_IDLE_TIMEOUT
Definition: agent.h:315
static const int kLlgrStaleTime
Definition: agent_param.h:26
void BuildAddrList(const std::string &val, AddressList &addr_list)
Definition: agent_param.cc:469
#define CFG_RESTORE_AUDIT_TIMEOUT
Definition: agent.h:316
boost::program_options::options_description config_file_options_
Definition: agent_param.h:685
static const uint32_t kDefaultFlowLatencyLimit
Definition: agent.h:372
boost::asio::ip::address_v4 Ip4Address
Definition: address.h:14
bool restart_restore_enable_
Definition: agent_param.h:819
#define kLogFilesCount
Definition: agent.h:308
std::string AgentBackTrace(int skip=1)
Definition: agent.cc:1187
static const std::string config_file_
Definition: agent.h:1646
static const uint16_t HttpPortAgent()
static const int kConfigInactivityTime
Definition: agent_param.h:20
void ParseDnsServersArguments(const boost::program_options::variables_map &var_map)
Definition: agent_param.cc:436
static const uint32_t kDefaultStaleInterfaceCleanupTimeout
Definition: agent.h:380
static const uint8_t kMaxSessionEndpoints
Definition: agent.h:391
const std::string log_file() const
Definition: agent_param.h:290
bool nexthop_server_add_pid_
Definition: agent_param.h:786
void ParseRestartArguments(const boost::program_options::variables_map &v)
Definition: agent_param.cc:856
bool dhcp_relay_mode_
Definition: agent_param.h:766
void ProcessOptions(const opt::variables_map &var_map, SandeshConfig *sandesh_config)
static const uint16_t kDefaultVmiVmVnUveInterval
Definition: agent.h:382
void ParseFlowArguments(const boost::program_options::variables_map &v)
Definition: agent_param.cc:689
bool ParseServerListArguments(const boost::program_options::variables_map &var_map, Ip4Address &server1, Ip4Address &server2, const std::string &key)
static const int kEorTxInactivityTime
Definition: agent_param.h:24
uint16_t end_of_rib_tx_inactivity_time_
Definition: agent_param.h:104
std::vector< Ip4Address > AddressList
Definition: agent_param.h:117
static const uint16_t VrouterAgentDnsClientUdpPort()
bool GetIpAddress(const std::string &str, Ip4Address *addr)
Definition: agent_param.cc:46
void ParseMetadataProxyArguments(const boost::program_options::variables_map &v)
Definition: agent_param.cc:671
bool measure_queue_delay_
Definition: agent_param.h:697
void SplitByDelimiter(const std::string &txt, std::vector< std::string > &strs, char ch)
Definition: agent_param.cc:774
#define LOG(_Level, _Msg)
Definition: logging.h:33
void Init(const std::string &config_file, const std::string &program_name)
static const uint32_t kFlowDelTokens
Definition: agent.h:385
static bool stringToIntegerList(std::string input, std::string seperator, std::vector< NumberType > &entries)
Definition: string_util.h:107
uint16_t config_poll_time_
Definition: agent_param.h:98
static const uint32_t kDefaultMaxLinkLocalOpenFds
Definition: agent.h:360
void ParseNetworksArguments(const boost::program_options::variables_map &v)
Definition: agent_param.cc:549
void AddOptions(opt::options_description *sandesh_options, SandeshConfig *sandesh_config)
void SandeshTraceBufferDisable(SandeshTraceBufferPtr trace_buf)
Definition: sandesh_trace.h:62
void ParseLlgrArguments(const boost::program_options::variables_map &v)
Definition: agent_param.cc:883
static const uint32_t kDefaultFlowThreadCount
Definition: agent.h:370
static const uint32_t kMaxOtherOpenFds
Definition: agent.h:362
void SandeshTraceBufferEnable(SandeshTraceBufferPtr trace_buf)
Definition: sandesh_trace.h:58
bool log_flow_
Definition: agent_param.h:747
size_t SandeshTraceBufferCapacityGet(const std::string &buf_name)
Definition: sandesh_trace.h:35
void InitVhostAndXenLLPrefix()
void PostValidateLogConfig() const
void ParseCryptArguments(const boost::program_options::variables_map &v)
Definition: agent_param.cc:913
virtual int Validate()
void ParseServicesArguments(const boost::program_options::variables_map &v)
Definition: agent_param.cc:842
void LogFilteredConfig() const
bool flow_trace_enable_
Definition: agent_param.h:794
void ParseSimulateEvpnTorArguments(const boost::program_options::variables_map &var_map)
Definition: agent_param.cc:731
virtual void DebugInitFromConfig()
static const uint32_t kMaxBgpAsAServerSessions
Definition: agent.h:364
uint16_t config_inactivity_time_
Definition: agent_param.h:99
bool enable_flow_options_
Definition: agent_param.h:686
uint16_t stale_config_cleanup_time_
Definition: agent_param.h:96
void ParseSandeshArguments(const boost::program_options::variables_map &v)
Definition: agent_param.cc:851
static const uint32_t kFlowUpdateTokens
Definition: agent.h:386
bool use_syslog_
Definition: agent_param.h:752
bool enable_vhost_options_
Definition: agent_param.h:687
SandeshTraceBufferPtr SandeshTraceBufferGet(const std::string &buf_name)
Definition: sandesh_trace.h:54
void set_gateway_mode(const std::string &mode)
Definition: agent_param.cc:297
bool enable_hypervisor_options_
Definition: agent_param.h:688
boost::program_options::options_description options_
Definition: agent_param.h:684
static const int kStaleConfigCleanupTime
Definition: agent_param.h:18
uint16_t end_of_rib_tx_fallback_time_
Definition: agent_param.h:103
void BuildAddressList(const std::string &val)
Definition: agent_param.cc:262