1
0
mirror of https://github.com/falk-werner/webfuse-provider synced 2026-03-02 04:09:18 +00:00

added code to parse urls

This commit is contained in:
Falk Werner
2019-02-23 15:57:57 +01:00
parent 36560f71e7
commit d18150d305
4 changed files with 261 additions and 3 deletions

131
lib/wsfsp/url.c Normal file
View File

@@ -0,0 +1,131 @@
#include "wsfsp/url.h"
#include <stdlib.h>
#include <string.h>
struct wsfsp_url_protocol
{
char const * name;
size_t name_length;
int default_port;
};
static bool wsfsp_url_readprotocol(
struct wsfsp_url * url,
char const * * data)
{
static struct wsfsp_url_protocol const known_protocols[] =
{
{"ws://", 5, 80},
{"wss://", 6, 443}
};
static size_t const count = (sizeof(known_protocols) / sizeof(known_protocols[0]));
bool found = false;
for(size_t i = 0; (!found) && (i < count); i++)
{
struct wsfsp_url_protocol const * protocol = &known_protocols[i];
if (0 == strncmp(*data, protocol->name, protocol->name_length))
{
url->port = protocol->default_port;
*data = *data + protocol->name_length;
found = true;
}
}
return found;
}
static bool wsfsp_url_readhost(
struct wsfsp_url * url,
char const * * data)
{
char * end = strpbrk(*data, ":/");
bool const result = (NULL != end);
if (result)
{
size_t length = end - *data;
url->host = strndup(*data, length);
*data = end;
}
return result;
}
static bool wsfsp_url_readport(
struct wsfsp_url * url,
char const * * data)
{
bool result;
if (':' == **data)
{
*data = *data + 1;
char * end = strchr(*data, '/');
result = (NULL != end);
if (result)
{
url->port = atoi(*data);
*data = end;
}
}
else
{
result = ('/' == **data);
}
return result;
}
static bool wsfsp_url_readpath(
struct wsfsp_url * url,
char const * * data)
{
bool const result = ('/' == **data);
url->path = strdup(*data);
*data = NULL;
return result;
}
bool wsfsp_url_init(
struct wsfsp_url * url,
char const * value)
{
memset(url, 0, sizeof(struct wsfsp_url));
char const * data = value;
bool const result =
wsfsp_url_readprotocol(url, &data) &&
wsfsp_url_readhost(url, &data) &&
wsfsp_url_readport(url, &data) &&
wsfsp_url_readpath(url, &data)
;
if (!result)
{
wsfsp_url_cleanup(url);
}
return result;
}
void wsfsp_url_cleanup(
struct wsfsp_url * url)
{
free(url->host);
free(url->path);
memset(url, 0, sizeof(struct wsfsp_url));
}
char const * wsfsp_url_gethost(
struct wsfsp_url const * url);
int wsfsp_url_getport(
struct wsfsp_url const * url);
char const * wsfsp_url_getpath(
struct wsfsp_url const * url);

32
lib/wsfsp/url.h Normal file
View File

@@ -0,0 +1,32 @@
#ifndef WSFSP_URL_H
#define WSFSP_URL_H
#ifndef __cplusplus
#include <stdbool.h>
#endif
struct wsfsp_url
{
char * host;
int port;
char * path;
};
#ifdef __cplusplus
extern "C"
{
#endif
extern bool wsfsp_url_init(
struct wsfsp_url * url,
char const * value);
extern void wsfsp_url_cleanup(
struct wsfsp_url * url);
#ifdef __cplusplus
}
#endif
#endif