GNU/Linux >> Linux Esercitazione >  >> Linux

Trasmissione UDP su tutte le interfacce

Dalla soluzione di Jeremy su UNIX Socket FAQ:

#include <stdio.h>

#ifdef WIN32
# include <windows.h>
# include <winsock.h>
# include <iphlpapi.h>
#else
# include <unistd.h>
# include <stdlib.h>
# include <sys/socket.h>
# include <netdb.h>
# include <netinet/in.h>
# include <net/if.h>
# include <sys/ioctl.h>
#endif

#include <string.h>
#include <sys/stat.h>

typedef unsigned long uint32;

#if defined(__FreeBSD__) || defined(BSD) || defined(__APPLE__) || defined(__linux__)
# define USE_GETIFADDRS 1
# include <ifaddrs.h>
static uint32 SockAddrToUint32(struct sockaddr * a)
{
   return ((a)&&(a->sa_family == AF_INET)) ? ntohl(((struct sockaddr_in *)a)->sin_addr.s_addr) : 0;
}
#endif

// convert a numeric IP address into its string representation
static void Inet_NtoA(uint32 addr, char * ipbuf)
{
   sprintf(ipbuf, "%li.%li.%li.%li", (addr>>24)&0xFF, (addr>>16)&0xFF, (addr>>8)&0xFF, (addr>>0)&0xFF);
}

// convert a string represenation of an IP address into its numeric equivalent
static uint32 Inet_AtoN(const char * buf)
{
   // net_server inexplicably doesn't have this function; so I'll just fake it
   uint32 ret = 0;
   int shift = 24;  // fill out the MSB first
   bool startQuad = true;
   while((shift >= 0)&&(*buf))
   {
      if (startQuad)
      {
         unsigned char quad = (unsigned char) atoi(buf);
         ret |= (((uint32)quad) << shift);
         shift -= 8;
      }
      startQuad = (*buf == '.');
      buf++;
   }
   return ret;
}

static void PrintNetworkInterfaceInfos()
{
#if defined(USE_GETIFADDRS)
   // BSD-style implementation
   struct ifaddrs * ifap;
   if (getifaddrs(&ifap) == 0)
   {
      struct ifaddrs * p = ifap;
      while(p)
      {
         uint32 ifaAddr  = SockAddrToUint32(p->ifa_addr);
         uint32 maskAddr = SockAddrToUint32(p->ifa_netmask);
         uint32 dstAddr  = SockAddrToUint32(p->ifa_dstaddr);
         if (ifaAddr > 0)
         {
            char ifaAddrStr[32];  Inet_NtoA(ifaAddr,  ifaAddrStr);
            char maskAddrStr[32]; Inet_NtoA(maskAddr, maskAddrStr);
            char dstAddrStr[32];  Inet_NtoA(dstAddr,  dstAddrStr);
            printf("  Found interface:  name=[%s] desc=[%s] address=[%s] netmask=[%s] broadcastAddr=[%s]\n", p->ifa_name, "unavailable", ifaAddrStr, maskAddrStr, dstAddrStr);
         }
         p = p->ifa_next;
      }
      freeifaddrs(ifap);
   }
#elif defined(WIN32)
   // Windows XP style implementation

   // Adapted from example code at http://msdn2.microsoft.com/en-us/library/aa365917.aspx
   // Now get Windows' IPv4 addresses table.  Once again, we gotta call GetIpAddrTable()
   // multiple times in order to deal with potential race conditions properly.
   MIB_IPADDRTABLE * ipTable = NULL;
   {
      ULONG bufLen = 0;
      for (int i=0; i<5; i++)
      {
         DWORD ipRet = GetIpAddrTable(ipTable, &bufLen, false);
         if (ipRet == ERROR_INSUFFICIENT_BUFFER)
         {
            free(ipTable);  // in case we had previously allocated it
            ipTable = (MIB_IPADDRTABLE *) malloc(bufLen);
         }
         else if (ipRet == NO_ERROR) break;
         else
         {
            free(ipTable);
            ipTable = NULL;
            break;
         }
     }
   }

   if (ipTable)
   {
      // Try to get the Adapters-info table, so we can given useful names to the IP
      // addresses we are returning.  Gotta call GetAdaptersInfo() up to 5 times to handle
      // the potential race condition between the size-query call and the get-data call.
      // I love a well-designed API :^P
      IP_ADAPTER_INFO * pAdapterInfo = NULL;
      {
         ULONG bufLen = 0;
         for (int i=0; i<5; i++)
         {
            DWORD apRet = GetAdaptersInfo(pAdapterInfo, &bufLen);
            if (apRet == ERROR_BUFFER_OVERFLOW)
            {
               free(pAdapterInfo);  // in case we had previously allocated it
               pAdapterInfo = (IP_ADAPTER_INFO *) malloc(bufLen);
            }
            else if (apRet == ERROR_SUCCESS) break;
            else
            {
               free(pAdapterInfo);
               pAdapterInfo = NULL;
               break;
            }
         }
      }

      for (DWORD i=0; i<ipTable->dwNumEntries; i++)
      {
         const MIB_IPADDRROW & row = ipTable->table[i];

         // Now lookup the appropriate adaptor-name in the pAdaptorInfos, if we can find it
         const char * name = NULL;
         const char * desc = NULL;
         if (pAdapterInfo)
         {
            IP_ADAPTER_INFO * next = pAdapterInfo;
            while((next)&&(name==NULL))
            {
               IP_ADDR_STRING * ipAddr = &next->IpAddressList;
               while(ipAddr)
               {
                  if (Inet_AtoN(ipAddr->IpAddress.String) == ntohl(row.dwAddr))
                  {
                     name = next->AdapterName;
                     desc = next->Description;
                     break;
                  }
                  ipAddr = ipAddr->Next;
               }
               next = next->Next;
            }
         }
         char buf[128];
         if (name == NULL)
         {
            sprintf(buf, "unnamed-%i", i);
            name = buf;
         }

         uint32 ipAddr  = ntohl(row.dwAddr);
         uint32 netmask = ntohl(row.dwMask);
         uint32 baddr   = ipAddr & netmask;
         if (row.dwBCastAddr) baddr |= ~netmask;

         char ifaAddrStr[32];  Inet_NtoA(ipAddr,  ifaAddrStr);
         char maskAddrStr[32]; Inet_NtoA(netmask, maskAddrStr);
         char dstAddrStr[32];  Inet_NtoA(baddr,   dstAddrStr);
         printf("  Found interface:  name=[%s] desc=[%s] address=[%s] netmask=[%s] broadcastAddr=[%s]\n", name, desc?desc:"unavailable", ifaAddrStr, maskAddrStr, dstAddrStr);
      }

      free(pAdapterInfo);
      free(ipTable);
   }
#else
   // Dunno what we're running on here!
#  error "Don't know how to implement PrintNetworkInterfaceInfos() on this OS!"
#endif
}

int main(int, char **)
{
   PrintNetworkInterfaceInfos();
   return 0;
}

Prima di tutto, dovresti considerare la trasmissione obsoleta, specialmente INADDR_BROADCAST (255.255.255.255). La tua domanda evidenzia esattamente uno dei motivi per cui la trasmissione non è adatta. Dovrebbe morire insieme a IPv4 (si spera). Si noti che IPv6 non ha nemmeno un concetto di broadcast (si usa invece il multicast).

INADDR_BROADCAST è limitato al collegamento locale. Al giorno d'oggi, l'unico utilizzo visibile è per l'autoconfigurazione DHCP, poiché in quel momento il client non saprà ancora a quale rete è connesso.

Con un singolo sendto() , viene generato un solo pacchetto e l'interfaccia in uscita è determinata dalla tabella di routing del sistema operativo (ip route su linux). Non puoi avere un solo sendto() genera più di un pacchetto, dovresti eseguire l'iterazione su tutte le interfacce e utilizzare socket non elaborati o associare il socket a un dispositivo utilizzando setsockopt(..., SOL_SOCKET, SO_BINDTODEVICE, "ethX") per inviare ogni pacchetto bypassando la tabella di routing del sistema operativo (questo richiede i privilegi di root). Non è una buona soluzione.

Invece, dal INADDR_BROADCAST non viene comunque instradato, puoi ottenere quasi la stessa cosa iterando su ciascuna interfaccia e inviando il pacchetto al suo indirizzo di trasmissione. Ad esempio, supponendo che le tue reti dispongano di maschere 255.255.255.0 (/24), gli indirizzi di trasmissione sono 192.168.1.255 e 192.168.2.255 . Chiama sendto() una volta per ciascuno di questi indirizzi e avrai raggiunto il tuo obiettivo.

Modifica: informazioni corrette relative a INADDR_BROADCAST e completando la risposta con informazioni su SO_BINDTODEVICE .


Non puoi avere un singolo sendto() genera un pacchetto su ogni interfaccia - in generale (nonostante la frammentazione) è un pacchetto trasmesso per ogni sendto() .

Dovrai trasmettere il pacchetto una volta per ogni interfaccia e:

  1. usa il livello basso (setsockopt() ?) chiamate per selezionare l'interfaccia in uscita

  2. inviare all'indirizzo di broadcast specifico per ogni interfaccia nota

quest'ultimo tuttavia non è adatto se stai cercando di eseguire una sorta di meccanismo di rilevamento, in modo tale che i dispositivi che ti aspetti di rispondere non siano effettivamente configurati correttamente con un indirizzo IP nella stessa sottorete dell'interfaccia a cui sono connessi a.


Linux
  1. Minuscolo di tutte le directory in una directory?

  2. Eliminare tutti i commenti C con Sed?

  3. Scrivi tutto Tmux Scorri indietro su un file?

  4. Come elencare tutti gli utenti che hanno effettuato l'accesso

  5. Decomprimere tutti i file in una directory

Come elencare tutti i database in PostgreSQL

[Recensione] Pear OS 8:è tutto sull'aspetto

Stampa tutti i file in una cartella?

Tutto su Web Disk

Collegamento di interfacce Ethernet

Crea un array con tutte le interfacce di rete in bash