使用 pjsip 代码独立开发
1、在不改动pjsip代码的情况下,和pjsip工程目录并行建立win32控制台程序工程P2PTraversal
目录结构如下:
.
├── pjproject-2.6
└── pjsipdemo
2、在VS2008下,新建项目
3、工程引入pjsip的相关配置
本例按照引入pjlib、pjlib-util、pjnath三个模块进行设置,如果引入更多需要参考如下设置增加对应的lib或.h目录设置
① 增加“附加包含目录”(针对引用头文件)
为了减少配置次数,在配置页面选择“所有配置”,可以一次性将“Debug”和“Release”全部配置好。主要是针对头文件,静态库则需要分别设置。
在工程属性页面中,找到C/C++选项的常规配置,在附加包含目录中添加如下路径(相对路径,按照目录层次关系)
../pjproject-2.6/pjlib/include/
../pjproject-2.6/pjlib-util/include/
../pjproject-2.6/pjnath/include/
② 设置“附加库目录”
../pjproject-2.6/pjlib/lib/
../pjproject-2.6/pjlib-util/lib/
../pjproject-2.6/pjnath/lib/
③ 设置“附加依赖项”
Debug设置:
ws2_32.lib
pjlib-i386-Win32-vc8-Debug.lib
pjlib-util-i386-Win32-vc8-Debug.lib
pjnath-i386-Win32-vc8-Debug.lib
Release设置
ws2_32.lib
pjlib-i386-Win32-vc8-Release.lib
pjlib-util-i386-Win32-vc8-Release.lib
pjnath-i386-Win32-vc8-Release.lib
4、在main.cpp文件中加入实现(以改造的icedemo为例)
/* $Id: icedemo.c 4624 2013-10-21 06:37:30Z ming $ */
/*
* Copyright (C) 2008-2011 Teluu Inc. (http://www.teluu.com)
*
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation; either version 2 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program; if not, write to the Free Software
* Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
*/
#include <stdio.h>
#include <stdlib.h>
#include <pjlib.h>
#include <pjlib-util.h>
#include <pjnath.h> #define THIS_FILE "icedemo.c" /* For this demo app, configure longer STUN keep-alive time
* so that it does't clutter the screen output.
*/
#define KA_INTERVAL 300 /* This is our global variables */
static struct app_t
{
/* Command line options are stored here */
struct options
{
unsigned comp_cnt;
pj_str_t ns;
int max_host;
pj_bool_t regular;
pj_str_t stun_srv;
pj_str_t turn_srv;
pj_bool_t turn_tcp;
pj_str_t turn_username;
pj_str_t turn_password;
pj_bool_t turn_fingerprint;
const char *log_file;
} opt; /* Our global variables */
pj_caching_pool cp;
pj_pool_t *pool;
pj_thread_t *thread;
pj_bool_t thread_quit_flag;
pj_ice_strans_cfg ice_cfg;
pj_ice_strans *icest;
FILE *log_fhnd; /* Variables to store parsed remote ICE info */
struct rem_info {
char ufrag[];
char pwd[];
unsigned comp_cnt;
pj_sockaddr def_addr[PJ_ICE_MAX_COMP];
unsigned cand_cnt;
pj_ice_sess_cand cand[PJ_ICE_ST_MAX_CAND];
} rem; } icedemo; /* Utility to display error messages */
static void icedemo_perror(const char *title, pj_status_t status)
{
char errmsg[PJ_ERR_MSG_SIZE]; pj_strerror(status, errmsg, sizeof(errmsg));
PJ_LOG(,(THIS_FILE, "%s: %s", title, errmsg));
} /* Utility: display error message and exit application (usually
* because of fatal error.
*/
static void err_exit(const char *title, pj_status_t status)
{
if (status != PJ_SUCCESS)
{
icedemo_perror(title, status);
}
PJ_LOG(,(THIS_FILE, "Shutting down..")); if (icedemo.icest)
pj_ice_strans_destroy(icedemo.icest); pj_thread_sleep(); icedemo.thread_quit_flag = PJ_TRUE;
if (icedemo.thread)
{
pj_thread_join(icedemo.thread);
pj_thread_destroy(icedemo.thread);
} if (icedemo.ice_cfg.stun_cfg.ioqueue)
pj_ioqueue_destroy(icedemo.ice_cfg.stun_cfg.ioqueue); if (icedemo.ice_cfg.stun_cfg.timer_heap)
pj_timer_heap_destroy(icedemo.ice_cfg.stun_cfg.timer_heap); pj_caching_pool_destroy(&icedemo.cp); pj_shutdown(); if (icedemo.log_fhnd)
{
fclose(icedemo.log_fhnd);
icedemo.log_fhnd = NULL;
} exit(status != PJ_SUCCESS);
} #define CHECK(expr) status=expr; \
if (status!=PJ_SUCCESS) { \
err_exit(#expr, status); \
} /*
* This function checks for events from both timer and ioqueue (for
* network events). It is invoked by the worker thread.
*/
static pj_status_t handle_events(unsigned max_msec, unsigned *p_count)
{
enum { MAX_NET_EVENTS = };
pj_time_val max_timeout = {, };
pj_time_val timeout = { , };
unsigned count = , net_event_count = ;
int c; max_timeout.msec = max_msec; /* Poll the timer to run it and also to retrieve the earliest entry. */
timeout.sec = timeout.msec = ;
c = pj_timer_heap_poll( icedemo.ice_cfg.stun_cfg.timer_heap, &timeout );
if (c > )
count += c; /* timer_heap_poll should never ever returns negative value, or otherwise
* ioqueue_poll() will block forever!
*/
pj_assert(timeout.sec >= && timeout.msec >= );
if (timeout.msec >= ) timeout.msec = ; /* compare the value with the timeout to wait from timer, and use the
* minimum value.
*/
if (PJ_TIME_VAL_GT(timeout, max_timeout))
timeout = max_timeout; /* Poll ioqueue.
* Repeat polling the ioqueue while we have immediate events, because
* timer heap may process more than one events, so if we only process
* one network events at a time (such as when IOCP backend is used),
* the ioqueue may have trouble keeping up with the request rate.
*
* For example, for each send() request, one network event will be
* reported by ioqueue for the send() completion. If we don't poll
* the ioqueue often enough, the send() completion will not be
* reported in timely manner.
*/
do
{
c = pj_ioqueue_poll( icedemo.ice_cfg.stun_cfg.ioqueue, &timeout);
if (c < )
{
pj_status_t err = pj_get_netos_error();
pj_thread_sleep(PJ_TIME_VAL_MSEC(timeout));
if (p_count)
*p_count = count;
return err;
}
else if (c == )
{
break;
}
else
{
net_event_count += c;
timeout.sec = timeout.msec = ;
}
} while (c > && net_event_count < MAX_NET_EVENTS); count += net_event_count;
if (p_count)
*p_count = count; return PJ_SUCCESS; } /*
* This is the worker thread that polls event in the background.
*/
static int icedemo_worker_thread(void *unused)
{
PJ_UNUSED_ARG(unused); while (!icedemo.thread_quit_flag)
{
handle_events(, NULL);
} return ;
} /*
* This is the callback that is registered to the ICE stream transport to
* receive notification about incoming data. By "data" it means application
* data such as RTP/RTCP, and not packets that belong to ICE signaling (such
* as STUN connectivity checks or TURN signaling).
*/
static void cb_on_rx_data(pj_ice_strans *ice_st,
unsigned comp_id,
void *pkt, pj_size_t size,
const pj_sockaddr_t *src_addr,
unsigned src_addr_len)
{
char ipstr[PJ_INET6_ADDRSTRLEN+]; PJ_UNUSED_ARG(ice_st);
PJ_UNUSED_ARG(src_addr_len);
PJ_UNUSED_ARG(pkt); // Don't do this! It will ruin the packet buffer in case TCP is used!
//((char*)pkt)[size] = '\0'; PJ_LOG(,(THIS_FILE, "Component %d: received %d bytes data from %s: \"%.*s\"",
comp_id, size,
pj_sockaddr_print(src_addr, ipstr, sizeof(ipstr), ),
(unsigned)size,
(char*)pkt));
} /*
* This is the callback that is registered to the ICE stream transport to
* receive notification about ICE state progression.
*/
static void cb_on_ice_complete(pj_ice_strans *ice_st,
pj_ice_strans_op op,
pj_status_t status)
{
const char *opname =
(op==PJ_ICE_STRANS_OP_INIT? "initialization" :
(op==PJ_ICE_STRANS_OP_NEGOTIATION ? "negotiation" : "unknown_op")); if (status == PJ_SUCCESS)
{
PJ_LOG(,(THIS_FILE, "ICE %s successful", opname));
}
else
{
char errmsg[PJ_ERR_MSG_SIZE]; pj_strerror(status, errmsg, sizeof(errmsg));
PJ_LOG(,(THIS_FILE, "ICE %s failed: %s", opname, errmsg));
pj_ice_strans_destroy(ice_st);
icedemo.icest = NULL;
}
} /* log callback to write to file */
static void log_func(int level, const char *data, int len)
{
pj_log_write(level, data, len);
if (icedemo.log_fhnd)
{
if (fwrite(data, len, , icedemo.log_fhnd) != )
return;
}
} /*
* This is the main application initialization function. It is called
* once (and only once) during application initialization sequence by
* main().
*/
static pj_status_t icedemo_init(void)
{
pj_status_t status; //设置日志文件路径
icedemo.opt.log_file = pj_str(".\\Demo.log").ptr;
pj_log_set_level(); if (icedemo.opt.log_file)
{
icedemo.log_fhnd = fopen(icedemo.opt.log_file, "a");
pj_log_set_log_func(&log_func);
} /* Initialize the libraries before anything else */
CHECK( pj_init() );
CHECK( pjlib_util_init() );
CHECK( pjnath_init() ); /* Must create pool factory, where memory allocations come from */
pj_caching_pool_init(&icedemo.cp, NULL, ); /* Init our ICE settings with null values */
pj_ice_strans_cfg_default(&icedemo.ice_cfg); icedemo.ice_cfg.stun_cfg.pf = &icedemo.cp.factory; /* Create application memory pool */
icedemo.pool = pj_pool_create(&icedemo.cp.factory, "icedemo",
, , NULL); /* Create timer heap for timer stuff */
CHECK( pj_timer_heap_create(icedemo.pool, ,
&icedemo.ice_cfg.stun_cfg.timer_heap) ); /* and create ioqueue for network I/O stuff */
CHECK( pj_ioqueue_create(icedemo.pool, ,
&icedemo.ice_cfg.stun_cfg.ioqueue) ); /* something must poll the timer heap and ioqueue,
* unless we're on Symbian where the timer heap and ioqueue run
* on themselves.
*/
CHECK( pj_thread_create(icedemo.pool, "icedemo", &icedemo_worker_thread,
NULL, , , &icedemo.thread) ); icedemo.ice_cfg.af = pj_AF_INET(); /* Create DNS resolver if nameserver is set */
if (icedemo.opt.ns.slen)
{
CHECK( pj_dns_resolver_create(&icedemo.cp.factory,
"resolver",
,
icedemo.ice_cfg.stun_cfg.timer_heap,
icedemo.ice_cfg.stun_cfg.ioqueue,
&icedemo.ice_cfg.resolver) ); CHECK( pj_dns_resolver_set_ns(icedemo.ice_cfg.resolver, ,
&icedemo.opt.ns, NULL) );
} /* -= Start initializing ICE stream transport config =- */ /* Maximum number of host candidates */
if (icedemo.opt.max_host != -)
icedemo.ice_cfg.stun.max_host_cands = icedemo.opt.max_host; /* Nomination strategy */
if (icedemo.opt.regular)
icedemo.ice_cfg.opt.aggressive = PJ_FALSE;
else
icedemo.ice_cfg.opt.aggressive = PJ_TRUE; /* 手动设置TURN服务信息 */
icedemo.opt.turn_srv = pj_str("11.11.11.11:8888");
icedemo.opt.stun_srv = icedemo.opt.turn_srv;
icedemo.opt.turn_username = pj_str("test");
icedemo.opt.turn_password = pj_str("test"); /* Configure STUN/srflx candidate resolution */
if (icedemo.opt.stun_srv.slen)
{
char *pos; /* Command line option may contain port number */
if ((pos=pj_strchr(&icedemo.opt.stun_srv, ':')) != NULL)
{
icedemo.ice_cfg.stun.server.ptr = icedemo.opt.stun_srv.ptr;
icedemo.ice_cfg.stun.server.slen = (pos - icedemo.opt.stun_srv.ptr); icedemo.ice_cfg.stun.port = (pj_uint16_t)atoi(pos+);
}
else
{
icedemo.ice_cfg.stun.server = icedemo.opt.stun_srv;
icedemo.ice_cfg.stun.port = PJ_STUN_PORT;
} /* For this demo app, configure longer STUN keep-alive time
* so that it does't clutter the screen output.
*/
icedemo.ice_cfg.stun.cfg.ka_interval = KA_INTERVAL;
} /* Configure TURN candidate */
if (icedemo.opt.turn_srv.slen)
{
char *pos; /* Command line option may contain port number */
if ((pos=pj_strchr(&icedemo.opt.turn_srv, ':')) != NULL)
{
icedemo.ice_cfg.turn.server.ptr = icedemo.opt.turn_srv.ptr;
icedemo.ice_cfg.turn.server.slen = (pos - icedemo.opt.turn_srv.ptr); icedemo.ice_cfg.turn.port = (pj_uint16_t)atoi(pos+);
}
else
{
icedemo.ice_cfg.turn.server = icedemo.opt.turn_srv;
icedemo.ice_cfg.turn.port = PJ_STUN_PORT;
} /* TURN credential */
icedemo.ice_cfg.turn.auth_cred.type = PJ_STUN_AUTH_CRED_STATIC;
icedemo.ice_cfg.turn.auth_cred.data.static_cred.username = icedemo.opt.turn_username;
icedemo.ice_cfg.turn.auth_cred.data.static_cred.data_type = PJ_STUN_PASSWD_PLAIN;
icedemo.ice_cfg.turn.auth_cred.data.static_cred.data = icedemo.opt.turn_password; /* Connection type to TURN server */
//使用TCP协议
icedemo.opt.turn_tcp = PJ_TRUE;
if (icedemo.opt.turn_tcp)
icedemo.ice_cfg.turn.conn_type = PJ_TURN_TP_TCP;
else
icedemo.ice_cfg.turn.conn_type = PJ_TURN_TP_UDP; /* For this demo app, configure longer keep-alive time
* so that it does't clutter the screen output.
*/
icedemo.ice_cfg.turn.alloc_param.ka_interval = KA_INTERVAL;
} /* -= That's it for now, initialization is complete =- */
return PJ_SUCCESS;
} /*
* Create ICE stream transport instance, invoked from the menu.
*/
static void icedemo_create_instance(void)
{
pj_ice_strans_cb icecb;
pj_status_t status; if (icedemo.icest != NULL)
{
puts("ICE instance already created, destroy it first");
return;
} /* init the callback */
pj_bzero(&icecb, sizeof(icecb));
icecb.on_rx_data = cb_on_rx_data;
icecb.on_ice_complete = cb_on_ice_complete; /* create the instance */
status = pj_ice_strans_create("icedemo", /* object name */
&icedemo.ice_cfg, /* settings */
icedemo.opt.comp_cnt, /* comp_cnt */
NULL, /* user data */
&icecb, /* callback */
&icedemo.icest) /* instance ptr */
;
if (status != PJ_SUCCESS)
icedemo_perror("error creating ice", status);
else
PJ_LOG(,(THIS_FILE, "ICE instance successfully created"));
} /* Utility to nullify parsed remote info */
static void reset_rem_info(void)
{
pj_bzero(&icedemo.rem, sizeof(icedemo.rem));
} /*
* Destroy ICE stream transport instance, invoked from the menu.
*/
static void icedemo_destroy_instance(void)
{
if (icedemo.icest == NULL)
{
PJ_LOG(,(THIS_FILE, "Error: No ICE instance, create it first"));
return;
} pj_ice_strans_destroy(icedemo.icest);
icedemo.icest = NULL; reset_rem_info(); PJ_LOG(,(THIS_FILE, "ICE instance destroyed"));
} /*
* Create ICE session, invoked from the menu.
*/
static void icedemo_init_session(unsigned rolechar)
{
pj_ice_sess_role role = (pj_tolower((pj_uint8_t)rolechar)=='o' ?
PJ_ICE_SESS_ROLE_CONTROLLING :
PJ_ICE_SESS_ROLE_CONTROLLED);
pj_status_t status; if (icedemo.icest == NULL)
{
PJ_LOG(,(THIS_FILE, "Error: No ICE instance, create it first"));
return;
} if (pj_ice_strans_has_sess(icedemo.icest))
{
PJ_LOG(,(THIS_FILE, "Error: Session already created"));
return;
} status = pj_ice_strans_init_ice(icedemo.icest, role, NULL, NULL);
if (status != PJ_SUCCESS)
icedemo_perror("error creating session", status);
else
PJ_LOG(,(THIS_FILE, "ICE session created")); reset_rem_info();
} /*
* Stop/destroy ICE session, invoked from the menu.
*/
static void icedemo_stop_session(void)
{
pj_status_t status; if (icedemo.icest == NULL)
{
PJ_LOG(,(THIS_FILE, "Error: No ICE instance, create it first"));
return;
} if (!pj_ice_strans_has_sess(icedemo.icest))
{
PJ_LOG(,(THIS_FILE, "Error: No ICE session, initialize first"));
return;
} status = pj_ice_strans_stop_ice(icedemo.icest);
if (status != PJ_SUCCESS)
icedemo_perror("error stopping session", status);
else
PJ_LOG(,(THIS_FILE, "ICE session stopped")); reset_rem_info();
} #define PRINT(...) \
printed = pj_ansi_snprintf(p, maxlen - (p-buffer), \
__VA_ARGS__); \
if (printed <= || printed >= (int)(maxlen - (p-buffer))) \
return -PJ_ETOOSMALL; \
p += printed /* Utility to create a=candidate SDP attribute */
static int print_cand(char buffer[], unsigned maxlen,
const pj_ice_sess_cand *cand)
{
char ipaddr[PJ_INET6_ADDRSTRLEN];
char *p = buffer;
int printed; PRINT("a=candidate:%.*s %u UDP %u %s %u typ ",
(int)cand->foundation.slen,
cand->foundation.ptr,
(unsigned)cand->comp_id,
cand->prio,
pj_sockaddr_print(&cand->addr, ipaddr,
sizeof(ipaddr), ),
(unsigned)pj_sockaddr_get_port(&cand->addr)); PRINT("%s\n",
pj_ice_get_cand_type_name(cand->type)); if (p == buffer+maxlen)
return -PJ_ETOOSMALL; *p = '\0'; return (int)(p-buffer);
} /*
* Encode ICE information in SDP.
*/
static int encode_session(char buffer[], unsigned maxlen)
{
char *p = buffer;
unsigned comp;
int printed;
pj_str_t local_ufrag, local_pwd;
pj_status_t status; /* Write "dummy" SDP v=, o=, s=, and t= lines */
PRINT("v=0\no=- 3414953978 3414953978 IN IP4 localhost\ns=ice\nt=0 0\n"); /* Get ufrag and pwd from current session */
pj_ice_strans_get_ufrag_pwd(icedemo.icest, &local_ufrag, &local_pwd,
NULL, NULL); /* Write the a=ice-ufrag and a=ice-pwd attributes */
PRINT("a=ice-ufrag:%.*s\na=ice-pwd:%.*s\n",
(int)local_ufrag.slen,
local_ufrag.ptr,
(int)local_pwd.slen,
local_pwd.ptr); /* Write each component */
for (comp=; comp<icedemo.opt.comp_cnt; ++comp)
{
unsigned j, cand_cnt;
pj_ice_sess_cand cand[PJ_ICE_ST_MAX_CAND];
char ipaddr[PJ_INET6_ADDRSTRLEN]; /* Get default candidate for the component */
status = pj_ice_strans_get_def_cand(icedemo.icest, comp+, &cand[]);
if (status != PJ_SUCCESS)
return -status; /* Write the default address */
if (comp==)
{
/* For component 1, default address is in m= and c= lines */
PRINT("m=audio %d RTP/AVP 0\n"
"c=IN IP4 %s\n",
(int)pj_sockaddr_get_port(&cand[].addr),
pj_sockaddr_print(&cand[].addr, ipaddr,
sizeof(ipaddr), ));
}
else if (comp==)
{
/* For component 2, default address is in a=rtcp line */
PRINT("a=rtcp:%d IN IP4 %s\n",
(int)pj_sockaddr_get_port(&cand[].addr),
pj_sockaddr_print(&cand[].addr, ipaddr,
sizeof(ipaddr), ));
}
else
{
/* For other components, we'll just invent this.. */
PRINT("a=Xice-defcand:%d IN IP4 %s\n",
(int)pj_sockaddr_get_port(&cand[].addr),
pj_sockaddr_print(&cand[].addr, ipaddr,
sizeof(ipaddr), ));
} /* Enumerate all candidates for this component */
cand_cnt = PJ_ARRAY_SIZE(cand);
status = pj_ice_strans_enum_cands(icedemo.icest, comp+,
&cand_cnt, cand);
if (status != PJ_SUCCESS)
return -status; /* And encode the candidates as SDP */
for (j=; j<cand_cnt; ++j)
{
printed = print_cand(p, maxlen - (unsigned)(p-buffer), &cand[j]);
if (printed < )
return -PJ_ETOOSMALL;
p += printed;
}
} if (p == buffer+maxlen)
return -PJ_ETOOSMALL; *p = '\0';
return (int)(p - buffer);
} /*
* Show information contained in the ICE stream transport. This is
* invoked from the menu.
*/
static void icedemo_show_ice(void)
{
static char buffer[];
int len; if (icedemo.icest == NULL)
{
PJ_LOG(,(THIS_FILE, "Error: No ICE instance, create it first"));
return;
} puts("General info");
puts("---------------");
printf("Component count : %d\n", icedemo.opt.comp_cnt);
printf("Status : ");
if (pj_ice_strans_sess_is_complete(icedemo.icest))
puts("negotiation complete");
else if (pj_ice_strans_sess_is_running(icedemo.icest))
puts("negotiation is in progress");
else if (pj_ice_strans_has_sess(icedemo.icest))
puts("session ready");
else
puts("session not created"); if (!pj_ice_strans_has_sess(icedemo.icest))
{
puts("Create the session first to see more info");
return;
} printf("Negotiated comp_cnt: %d\n",
pj_ice_strans_get_running_comp_cnt(icedemo.icest));
printf("Role : %s\n",
pj_ice_strans_get_role(icedemo.icest)==PJ_ICE_SESS_ROLE_CONTROLLED ?
"controlled" : "controlling"); len = encode_session(buffer, sizeof(buffer));
if (len < )
err_exit("not enough buffer to show ICE status", -len); puts("");
printf("Local SDP (paste this to remote host):\n"
"--------------------------------------\n"
"%s\n", buffer); puts("");
puts("Remote info:\n"
"----------------------");
if (icedemo.rem.cand_cnt==)
{
puts("No remote info yet");
}
else
{
unsigned i; printf("Remote ufrag : %s\n", icedemo.rem.ufrag);
printf("Remote password : %s\n", icedemo.rem.pwd);
printf("Remote cand. cnt. : %d\n", icedemo.rem.cand_cnt); for (i=; i<icedemo.rem.cand_cnt; ++i)
{
len = print_cand(buffer, sizeof(buffer), &icedemo.rem.cand[i]);
if (len < )
err_exit("not enough buffer to show ICE status", -len); printf(" %s", buffer);
}
}
} /*
* Input and parse SDP from the remote (containing remote's ICE information)
* and save it to global variables.
*/
static void icedemo_input_remote(void)
{
char linebuf[];
unsigned media_cnt = ;
unsigned comp0_port = ;
char comp0_addr[];
pj_bool_t done = PJ_FALSE; puts("Paste SDP from remote host, end with empty line"); reset_rem_info(); comp0_addr[] = '\0'; while (!done)
{
pj_size_t len;
char *line; printf(">");
if (stdout) fflush(stdout); if (fgets(linebuf, sizeof(linebuf), stdin)==NULL)
break; len = strlen(linebuf);
while (len && (linebuf[len-] == '\r' || linebuf[len-] == '\n'))
linebuf[--len] = '\0'; line = linebuf;
while (len && pj_isspace(*line))
++line, --len; if (len==)
break; /* Ignore subsequent media descriptors */
if (media_cnt > )
continue; switch (line[])
{
case 'm': {
int cnt;
char media[], portstr[]; ++media_cnt;
if (media_cnt > )
{
puts("Media line ignored");
break;
} cnt = sscanf(line+, "%s %s RTP/", media, portstr);
if (cnt != )
{
PJ_LOG(,(THIS_FILE, "Error parsing media line"));
goto on_error;
} comp0_port = atoi(portstr); }
break;
case 'c': {
int cnt;
char c[], net[], ip[]; cnt = sscanf(line+, "%s %s %s", c, net, ip);
if (cnt != )
{
PJ_LOG(,(THIS_FILE, "Error parsing connection line"));
goto on_error;
} strcpy(comp0_addr, ip);
}
break;
case 'a': {
char *attr = strtok(line+, ": \t\r\n");
if (strcmp(attr, "ice-ufrag")==)
{
strcpy(icedemo.rem.ufrag, attr+strlen(attr)+);
}
else if (strcmp(attr, "ice-pwd")==)
{
strcpy(icedemo.rem.pwd, attr+strlen(attr)+);
}
else if (strcmp(attr, "rtcp")==)
{
char *val = attr+strlen(attr)+;
int af, cnt;
int port;
char net[], ip[];
pj_str_t tmp_addr;
pj_status_t status; cnt = sscanf(val, "%d IN %s %s", &port, net, ip);
if (cnt != )
{
PJ_LOG(,(THIS_FILE, "Error parsing rtcp attribute"));
goto on_error;
} if (strchr(ip, ':'))
af = pj_AF_INET6();
else
af = pj_AF_INET(); pj_sockaddr_init(af, &icedemo.rem.def_addr[], NULL, );
tmp_addr = pj_str(ip);
status = pj_sockaddr_set_str_addr(af, &icedemo.rem.def_addr[],
&tmp_addr);
if (status != PJ_SUCCESS)
{
PJ_LOG(,(THIS_FILE, "Invalid IP address"));
goto on_error;
}
pj_sockaddr_set_port(&icedemo.rem.def_addr[], (pj_uint16_t)port); }
else if (strcmp(attr, "candidate")==)
{
char *sdpcand = attr+strlen(attr)+;
int af, cnt;
char foundation[], transport[], ipaddr[], type[];
pj_str_t tmpaddr;
int comp_id, prio, port;
pj_ice_sess_cand *cand;
pj_status_t status; cnt = sscanf(sdpcand, "%s %d %s %d %s %d typ %s",
foundation,
&comp_id,
transport,
&prio,
ipaddr,
&port,
type);
if (cnt != )
{
PJ_LOG(, (THIS_FILE, "error: Invalid ICE candidate line"));
goto on_error;
} cand = &icedemo.rem.cand[icedemo.rem.cand_cnt];
pj_bzero(cand, sizeof(*cand)); if (strcmp(type, "host")==)
cand->type = PJ_ICE_CAND_TYPE_HOST;
else if (strcmp(type, "srflx")==)
cand->type = PJ_ICE_CAND_TYPE_SRFLX;
else if (strcmp(type, "relay")==)
cand->type = PJ_ICE_CAND_TYPE_RELAYED;
else
{
PJ_LOG(, (THIS_FILE, "Error: invalid candidate type '%s'",
type));
goto on_error;
} cand->comp_id = (pj_uint8_t)comp_id;
pj_strdup2(icedemo.pool, &cand->foundation, foundation);
cand->prio = prio; if (strchr(ipaddr, ':'))
af = pj_AF_INET6();
else
af = pj_AF_INET(); tmpaddr = pj_str(ipaddr);
pj_sockaddr_init(af, &cand->addr, NULL, );
status = pj_sockaddr_set_str_addr(af, &cand->addr, &tmpaddr);
if (status != PJ_SUCCESS)
{
PJ_LOG(,(THIS_FILE, "Error: invalid IP address '%s'",
ipaddr));
goto on_error;
} pj_sockaddr_set_port(&cand->addr, (pj_uint16_t)port); ++icedemo.rem.cand_cnt; if (cand->comp_id > icedemo.rem.comp_cnt)
icedemo.rem.comp_cnt = cand->comp_id;
}
}
break;
}
} if (icedemo.rem.cand_cnt== ||
icedemo.rem.ufrag[]== ||
icedemo.rem.pwd[]== ||
icedemo.rem.comp_cnt == )
{
PJ_LOG(, (THIS_FILE, "Error: not enough info"));
goto on_error;
} if (comp0_port== || comp0_addr[]=='\0')
{
PJ_LOG(, (THIS_FILE, "Error: default address for component 0 not found"));
goto on_error;
}
else
{
int af;
pj_str_t tmp_addr;
pj_status_t status; if (strchr(comp0_addr, ':'))
af = pj_AF_INET6();
else
af = pj_AF_INET(); pj_sockaddr_init(af, &icedemo.rem.def_addr[], NULL, );
tmp_addr = pj_str(comp0_addr);
status = pj_sockaddr_set_str_addr(af, &icedemo.rem.def_addr[],
&tmp_addr);
if (status != PJ_SUCCESS)
{
PJ_LOG(,(THIS_FILE, "Invalid IP address in c= line"));
goto on_error;
}
pj_sockaddr_set_port(&icedemo.rem.def_addr[], (pj_uint16_t)comp0_port);
} PJ_LOG(, (THIS_FILE, "Done, %d remote candidate(s) added",
icedemo.rem.cand_cnt));
return; on_error:
reset_rem_info();
} /*
* Start ICE negotiation! This function is invoked from the menu.
*/
static void icedemo_start_nego(void)
{
pj_str_t rufrag, rpwd;
pj_status_t status; if (icedemo.icest == NULL)
{
PJ_LOG(,(THIS_FILE, "Error: No ICE instance, create it first"));
return;
} if (!pj_ice_strans_has_sess(icedemo.icest))
{
PJ_LOG(,(THIS_FILE, "Error: No ICE session, initialize first"));
return;
} if (icedemo.rem.cand_cnt == )
{
PJ_LOG(,(THIS_FILE, "Error: No remote info, input remote info first"));
return;
} PJ_LOG(,(THIS_FILE, "Starting ICE negotiation..")); status = pj_ice_strans_start_ice(icedemo.icest,
pj_cstr(&rufrag, icedemo.rem.ufrag),
pj_cstr(&rpwd, icedemo.rem.pwd),
icedemo.rem.cand_cnt,
icedemo.rem.cand);
if (status != PJ_SUCCESS)
icedemo_perror("Error starting ICE", status);
else
PJ_LOG(,(THIS_FILE, "ICE negotiation started"));
} /*
* Send application data to remote agent.
*/
static void icedemo_send_data(unsigned comp_id, const char *data)
{
pj_status_t status; if (icedemo.icest == NULL)
{
PJ_LOG(,(THIS_FILE, "Error: No ICE instance, create it first"));
return;
} if (!pj_ice_strans_has_sess(icedemo.icest))
{
PJ_LOG(,(THIS_FILE, "Error: No ICE session, initialize first"));
return;
} /*
if (!pj_ice_strans_sess_is_complete(icedemo.icest))
{
PJ_LOG(1,(THIS_FILE, "Error: ICE negotiation has not been started or is in progress"));
return;
}
*/ if (comp_id<||comp_id>pj_ice_strans_get_running_comp_cnt(icedemo.icest))
{
PJ_LOG(,(THIS_FILE, "Error: invalid component ID"));
return;
} status = pj_ice_strans_sendto(icedemo.icest, comp_id, data, strlen(data),
&icedemo.rem.def_addr[comp_id-],
pj_sockaddr_get_len(&icedemo.rem.def_addr[comp_id-]));
if (status != PJ_SUCCESS)
icedemo_perror("Error sending data", status);
else
PJ_LOG(,(THIS_FILE, "Data sent"));
} /*
* Display help for the menu.
*/
static void icedemo_help_menu(void)
{
puts("");
puts("-= Help on using ICE and this icedemo program =-");
puts("");
puts("This application demonstrates how to use ICE in pjnath without having\n"
"to use the SIP protocol. To use this application, you will need to run\n"
"two instances of this application, to simulate two ICE agents.\n"); puts("Basic ICE flow:\n"
" create instance [menu \"c\"]\n"
" repeat these steps as wanted:\n"
" - init session as offerer or answerer [menu \"i\"]\n"
" - display our SDP [menu \"s\"]\n"
" - \"send\" our SDP from the \"show\" output above to remote, by\n"
" copy-pasting the SDP to the other icedemo application\n"
" - parse remote SDP, by pasting SDP generated by the other icedemo\n"
" instance [menu \"r\"]\n"
" - begin ICE negotiation in our end [menu \"b\"], and \n"
" - immediately begin ICE negotiation in the other icedemo instance\n"
" - ICE negotiation will run, and result will be printed to screen\n"
" - send application data to remote [menu \"x\"]\n"
" - end/stop ICE session [menu \"e\"]\n"
" destroy instance [menu \"d\"]\n"
""); puts("");
puts("This concludes the help screen.");
puts("");
} /*
* Display console menu
*/
static void icedemo_print_menu(void)
{
puts("");
puts("+----------------------------------------------------------------------+");
puts("| M E N U |");
puts("+---+------------------------------------------------------------------+");
puts("| c | create Create the instance |");
puts("| d | destroy Destroy the instance |");
puts("| i | init o|a Initialize ICE session as offerer or answerer |");
puts("| e | stop End/stop ICE session |");
puts("| s | show Display local ICE info |");
puts("| r | remote Input remote ICE info |");
puts("| b | start Begin ICE negotiation |");
puts("| x | send <compid> .. Send data to remote |");
puts("+---+------------------------------------------------------------------+");
puts("| h | help * Help! * |");
puts("| q | quit Quit |");
puts("+----------------------------------------------------------------------+");
} /*
* Main console loop.
*/
static void icedemo_console(void)
{
pj_bool_t app_quit = PJ_FALSE; while (!app_quit)
{
char input[], *cmd;
const char *SEP = " \t\r\n";
pj_size_t len; icedemo_print_menu(); printf("Input: ");
if (stdout) fflush(stdout); pj_bzero(input, sizeof(input));
if (fgets(input, sizeof(input), stdin) == NULL)
break; len = strlen(input);
while (len && (input[len-]=='\r' || input[len-]=='\n'))
input[--len] = '\0'; cmd = strtok(input, SEP);
if (!cmd)
continue; if (strcmp(cmd, "create")== || strcmp(cmd, "c")==)
{
icedemo_create_instance();
}
else if (strcmp(cmd, "destroy")== || strcmp(cmd, "d")==)
{
icedemo_destroy_instance();
}
else if (strcmp(cmd, "init")== || strcmp(cmd, "i")==)
{
char *role = strtok(NULL, SEP);
if (role)
icedemo_init_session(*role);
else
puts("error: Role required");
}
else if (strcmp(cmd, "stop")== || strcmp(cmd, "e")==)
{
icedemo_stop_session();
}
else if (strcmp(cmd, "show")== || strcmp(cmd, "s")==)
{
icedemo_show_ice();
}
else if (strcmp(cmd, "remote")== || strcmp(cmd, "r")==)
{
icedemo_input_remote();
}
else if (strcmp(cmd, "start")== || strcmp(cmd, "b")==)
{
icedemo_start_nego();
}
else if (strcmp(cmd, "send")== || strcmp(cmd, "x")==)
{
char *comp = strtok(NULL, SEP); if (!comp)
{
PJ_LOG(,(THIS_FILE, "Error: component ID required"));
}
else
{
char *data = comp + strlen(comp) + ;
if (!data)
data = "";
icedemo_send_data(atoi(comp), data);
} }
else if (strcmp(cmd, "help")== || strcmp(cmd, "h")==)
{
icedemo_help_menu();
}
else if (strcmp(cmd, "quit")== || strcmp(cmd, "q")==)
{
app_quit = PJ_TRUE;
}
else
{
printf("Invalid command '%s'\n", cmd); }
}
} /*
* Display program usage.
*/
static void icedemo_usage()
{
puts("Usage: icedemo [optons]");
printf("icedemo v%s by pjsip.org\n", pj_get_version());
puts("");
puts("General options:");
puts(" --comp-cnt, -c N Component count (default=1)");
puts(" --nameserver, -n IP Configure nameserver to activate DNS SRV");
puts(" resolution");
puts(" --max-host, -H N Set max number of host candidates to N");
puts(" --regular, -R Use regular nomination (default aggressive)");
puts(" --log-file, -L FILE Save output to log FILE");
puts(" --help, -h Display this screen.");
puts("");
puts("STUN related options:");
puts(" --stun-srv, -s HOSTDOM Enable srflx candidate by resolving to STUN server.");
puts(" HOSTDOM may be a \"host_or_ip[:port]\" or a domain");
puts(" name if DNS SRV resolution is used.");
puts("");
puts("TURN related options:");
puts(" --turn-srv, -t HOSTDOM Enable relayed candidate by using this TURN server.");
puts(" HOSTDOM may be a \"host_or_ip[:port]\" or a domain");
puts(" name if DNS SRV resolution is used.");
puts(" --turn-tcp, -T Use TCP to connect to TURN server");
puts(" --turn-username, -u UID Set TURN username of the credential to UID");
puts(" --turn-password, -p PWD Set password of the credential to WPWD");
puts(" --turn-fingerprint, -F Use fingerprint for outgoing TURN requests");
puts("");
} /*
* And here's the main()
*/
int main(int argc, char *argv[])
{ struct pj_getopt_option long_options[] =
{
{ "comp-cnt", , , 'c'},
{ "nameserver", , , 'n'},
{ "max-host", , , 'H'},
{ "help", , , 'h'},
{ "stun-srv", , , 's'},
{ "turn-srv", , , 't'},
{ "turn-tcp", , , 'T'},
{ "turn-username", , , 'u'},
{ "turn-password", , , 'p'},
{ "turn-fingerprint", , , 'F'},
{ "regular", , , 'R'},
{ "log-file", , , 'L'},
};
int c, opt_id;
pj_status_t status; icedemo.opt.comp_cnt = ;
icedemo.opt.max_host = -; while((c=pj_getopt_long(argc,argv, "c:n:s:t:u:p:H:L:hTFR", long_options, &opt_id))!=-)
{
switch (c)
{
case 'c':
icedemo.opt.comp_cnt = atoi(pj_optarg);
if (icedemo.opt.comp_cnt < || icedemo.opt.comp_cnt >= PJ_ICE_MAX_COMP)
{
puts("Invalid component count value");
return ;
}
break;
case 'n':
icedemo.opt.ns = pj_str(pj_optarg);
break;
case 'H':
icedemo.opt.max_host = atoi(pj_optarg);
break;
case 'h':
icedemo_usage();
return ;
case 's':
icedemo.opt.stun_srv = pj_str(pj_optarg);
break;
case 't':
icedemo.opt.turn_srv = pj_str(pj_optarg);
break;
case 'T':
icedemo.opt.turn_tcp = PJ_TRUE;
break;
case 'u':
icedemo.opt.turn_username = pj_str(pj_optarg);
break;
case 'p':
icedemo.opt.turn_password = pj_str(pj_optarg);
break;
case 'F':
icedemo.opt.turn_fingerprint = PJ_TRUE;
break;
case 'R':
icedemo.opt.regular = PJ_TRUE;
break;
case 'L':
icedemo.opt.log_file = pj_optarg;
break;
default:
printf("Argument \"%s\" is not valid. Use -h to see help",
argv[pj_optind]);
return ;
}
} status = icedemo_init();
if (status != PJ_SUCCESS)
return ; icedemo_console(); err_exit("Quitting..", PJ_SUCCESS);
return ;
}
当然,其中的一些设置也可以写在代码文件中,该文不予介绍。
另外,也可以使用设置“继承的项目属性表”的方式进行设置,很多输出路径、编译路径、输出文件名称等繁琐的设置可以一次搞定,比如可以引入
..\pjproject-2.6\build\vs\pjproject-vs8-debug-static-defaults.vsprops
..\pjproject-2.6\build\vs\pjproject-vs8-win32-common-defaults.vsprops
在debug模式下就可以按照属性表的设置编译出对应的内容,对于要开发很多项目的情况,可以使用该方法,减少繁琐的设置。若项目工程不多,大可不必使用导入继承的项目属性表的方法,直接设置来的反而开发更快。
5、如果独立的DEMO程序位于pjproject-2.6文件夹内,则只需要修改相对路径即可。
以 “pjproject-2.6\Demo\Demo.vcproj”为例,其内部有一个源文件“pjproject-2.6\Demo\main.cpp”
通过编译调试的工程文件Demo.vcproj:
<?xml version="1.0" encoding="gb2312"?>
<VisualStudioProject
ProjectType="Visual C++"
Version="9.00"
Name="Demo"
ProjectGUID="{1C1689E1-8C19-4197-9751-D8373A753CCA}"
RootNamespace="Demo"
Keyword="Win32Proj"
TargetFrameworkVersion=""
>
<Platforms>
<Platform
Name="Win32"
/>
</Platforms>
<ToolFiles>
</ToolFiles>
<Configurations>
<Configuration
Name="Debug|Win32"
OutputDirectory="$(SolutionDir)$(ConfigurationName)"
IntermediateDirectory="$(ConfigurationName)"
ConfigurationType=""
CharacterSet=""
>
<Tool
Name="VCPreBuildEventTool"
/>
<Tool
Name="VCCustomBuildTool"
/>
<Tool
Name="VCXMLDataGeneratorTool"
/>
<Tool
Name="VCWebServiceProxyGeneratorTool"
/>
<Tool
Name="VCMIDLTool"
/>
<Tool
Name="VCCLCompilerTool"
Optimization=""
AdditionalIncludeDirectories="../pjlib/include/;"../pjlib-util/include/";../pjnath/include/"
PreprocessorDefinitions="WIN32;_DEBUG;_CONSOLE"
MinimalRebuild="true"
BasicRuntimeChecks=""
RuntimeLibrary=""
UsePrecompiledHeader=""
WarningLevel=""
DebugInformationFormat=""
/>
<Tool
Name="VCManagedResourceCompilerTool"
/>
<Tool
Name="VCResourceCompilerTool"
/>
<Tool
Name="VCPreLinkEventTool"
/>
<Tool
Name="VCLinkerTool"
AdditionalDependencies="ws2_32.lib pjlib-i386-Win32-vc8-Debug.lib pjlib-util-i386-Win32-vc8-Debug.lib pjnath-i386-Win32-vc8-Debug.lib"
LinkIncremental=""
AdditionalLibraryDirectories="../pjlib/lib/;"../pjlib-util/lib/";../pjnath/lib/"
GenerateDebugInformation="true"
SubSystem=""
TargetMachine=""
/>
<Tool
Name="VCALinkTool"
/>
<Tool
Name="VCManifestTool"
/>
<Tool
Name="VCXDCMakeTool"
/>
<Tool
Name="VCBscMakeTool"
/>
<Tool
Name="VCFxCopTool"
/>
<Tool
Name="VCAppVerifierTool"
/>
<Tool
Name="VCPostBuildEventTool"
/>
</Configuration>
<Configuration
Name="Release|Win32"
OutputDirectory="$(SolutionDir)$(ConfigurationName)"
IntermediateDirectory="$(ConfigurationName)"
ConfigurationType=""
CharacterSet=""
WholeProgramOptimization=""
>
<Tool
Name="VCPreBuildEventTool"
/>
<Tool
Name="VCCustomBuildTool"
/>
<Tool
Name="VCXMLDataGeneratorTool"
/>
<Tool
Name="VCWebServiceProxyGeneratorTool"
/>
<Tool
Name="VCMIDLTool"
/>
<Tool
Name="VCCLCompilerTool"
Optimization=""
EnableIntrinsicFunctions="true"
AdditionalIncludeDirectories="../pjlib/include/;"../pjlib-util/include/";../pjnath/include/"
PreprocessorDefinitions="WIN32;NDEBUG;_CONSOLE"
RuntimeLibrary=""
EnableFunctionLevelLinking="true"
UsePrecompiledHeader=""
WarningLevel=""
DebugInformationFormat=""
/>
<Tool
Name="VCManagedResourceCompilerTool"
/>
<Tool
Name="VCResourceCompilerTool"
/>
<Tool
Name="VCPreLinkEventTool"
/>
<Tool
Name="VCLinkerTool"
AdditionalDependencies="ws2_32.lib pjlib-i386-Win32-vc8-Release.lib pjlib-util-i386-Win32-vc8-Release.lib pjnath-i386-Win32-vc8-Release.lib"
LinkIncremental=""
AdditionalLibraryDirectories="../pjlib/lib/;"../pjlib-util/lib/";../pjnath/lib/"
GenerateDebugInformation="true"
SubSystem=""
OptimizeReferences=""
EnableCOMDATFolding=""
TargetMachine=""
/>
<Tool
Name="VCALinkTool"
/>
<Tool
Name="VCManifestTool"
/>
<Tool
Name="VCXDCMakeTool"
/>
<Tool
Name="VCBscMakeTool"
/>
<Tool
Name="VCFxCopTool"
/>
<Tool
Name="VCAppVerifierTool"
/>
<Tool
Name="VCPostBuildEventTool"
/>
</Configuration>
</Configurations>
<References>
</References>
<Files>
<Filter
Name="源文件"
Filter="cpp;c;cc;cxx;def;odl;idl;hpj;bat;asm;asmx"
UniqueIdentifier="{4FC737F1-C7A5-4376-A066-2A32D752A2FF}"
>
<File
RelativePath=".\main.cpp"
>
</File>
</Filter>
<Filter
Name="头文件"
Filter="h;hpp;hxx;hm;inl;inc;xsd"
UniqueIdentifier="{93995380-89BD-4b04-88EB-625FBE52EBFB}"
>
</Filter>
<Filter
Name="资源文件"
Filter="rc;ico;cur;bmp;dlg;rc2;rct;bin;rgs;gif;jpg;jpeg;jpe;resx;tiff;tif;png;wav"
UniqueIdentifier="{67DA6AB6-F800-4c08-8B7A-83BB121AAD01}"
>
</Filter>
</Files>
<Globals>
</Globals>
</VisualStudioProject>
使用 pjsip 代码独立开发的更多相关文章
- 《IT蓝豹》挑战独立开发项目能力
做了5年的android开发,今天没事写写刚入行不久的时候第一次独立开发项目的心得体会, 当时我刚工作8个月,由于公司运营不善倒闭了,在2011年3月份我开始准备跳槽, 看了一周andro ...
- pjsip视频通信开发(上层应用)之数字键盘的制作
在pjsip视频通信开发(上层应用)之EditText重写中我制作了一个显示输入内容的EditText,这里将制作一个数字键盘,其实跟计算器一样,最多的就是用TableLayout来实现,内部通过权重 ...
- 【独立开发人员er Cocos2d-x实战 008】BMFont生成位图字体工具和Cocos2dx使用载入fnt文件
1.首先我们须要下载而且安装BMFont工具,下载地址例如以下:http://download.csdn.net/detail/chenqiai0/8899353(里面还有具体的使用文档,假设使用中有 ...
- 第一个独立开发的游戏 怪斯特:零 已经上线APP STORE!
今天是个值得纪念的日子,而且是双喜临门 2年多来的摸爬滚打,终于有了回报 第一喜:自己独立开发的游戏 怪斯特:零 已经通过审核并上架APP STORE! 第二喜:迈入了自己期待2年之久的游戏行业,年后 ...
- tomcat免重启随意更改java代码 提高开发效率
转载:http://developer.51cto.com/art/201012/241243.htm 做为了一个java开发人员,总是为因为要增加一个类,或是增加删除一个方法,甚至修改一个小处代码而 ...
- 使用Entity Framework 4进行代码优先开发
[原文地址]Code-First Development with Entity Framework 4 .NET 4随带发布了一个改进版的Entity Framework(EF)- 一个位于Sy ...
- 微信小程序(有始有终,全部代码)开发--- 新增【录音】以及UI改进
开篇语 寒假发了一篇练手文章,不出意外地火了: <简年15: 微信小程序(有始有终,全部代码)开发---跑步App+音乐播放器 > 后来又发了BUG修复的版本,出乎意料的火了: 简年18: ...
- 微信小程序(有始有终,全部代码)开发--- 新增模块: 图片选取以及拍照功能
开篇语 前几天发了一篇: <简年15: 微信小程序(有始有终,全部代码)开发---跑步App+音乐播放器 > 后来又发了BUG修复的版本: 简年18: 微信小程序(有始有终,全部代码)开发 ...
- 微信小程序(有始有终,全部代码)开发---跑步App+音乐播放器 Bug修复
开篇语 昨晚发了一篇: <简年15: 微信小程序(有始有终,全部代码)开发---跑步App+音乐播放器 > 然后上午起来吃完午饭之后,我就准备继续开工的,但是突然的,想要看B站.然后在一股 ...
随机推荐
- 全网最全的Windows下Anaconda2 / Anaconda3里正确下载安装OpenCV(离线方式和在线方式)(图文详解)
不多说,直接上干货! 说明: Anaconda2-5.0.0-Windows-x86_64.exe安装下来,默认的Python2.7 Anaconda3-4.2.0-Windows-x86_64.ex ...
- 征服诱人的Vagrant!
一.背景 最近要开始深入学习分布式相关的东西了,那第一步就是在自己的电脑上安装虚拟机,以前在Windows平台,我选择用VMware Workstation作为虚拟机软件,现在在Mac系统下,感觉 ...
- xcodebuild构建时报错unknown error -1=ffffffffffffffff Command /bin/sh failed with exit code 1
CI今日构建时报出如下错误: /Users/xxx/Library/Developer/Xcode/DerivedData/Snowball-ebllohyukujrncbaldsfojfjxwep/ ...
- virualbox 虚拟机管理
虚拟机调换后提示UUID一致,需要重新生成新的虚拟机文件的UUID,使用如下命令: D:\Program Files\Oracle\VirtualBox>VBoxManage internalc ...
- Python面向对象基础:设置对象属性
用类存储数据 类实际上就是一个数据结构,对于python而言,它是一个类似于字典的结构.当根据类创建了对象之后,这个对象就有了一个数据结构,包含一些赋值了的属性.在这一点上,它和其它语言的struct ...
- hadoop框架详解
Hadoop框架详解 Hadoop项目主要包括以下四个模块 ◆ Hadoop Common: 为其他Hadoop模块提供基础设施 ◆ Hadoop HDFS: 一个高可靠.高吞吐量的分布式文件系统 ◆ ...
- mysql循环插入数据、生成随机数及CONCAT函数
实现目标:一年12个月,每个月插入一条数据,score为1-5的随机数 循环语句: WHILE -- DO -- END WHILE DELIMITER ; CREATE PROCEDURE test ...
- npm 安装 卸载 模块(转载)
来源 https://blog.csdn.net/yihanzhi/article/details/75665959 利用npm 安装删除模块 npm安装模块 [npm install xxx]利用 ...
- 谈谈MySQL优化原理
说起MySQL的查询优化,相信大家收藏了一堆奇淫技巧:不能使用SELECT *.不使用NULL字段.合理创建索引.为字段选择合适的数据类型..... 你是否真的理解这些优化技巧?是否理解其背后的工作原 ...
- 建立uboot,内核的SI工程(1)
1. 建立Uboot的SI工程1.1首先给uboot打上补丁,然后来生成压缩文件 tar cjf u-boot- 1.2 编译uboot make 100ask24x0_config //使用打好补丁 ...