本文整理汇总了C++中GPOINTER_TO_UINT函数的典型用法代码示例。如果您正苦于以下问题:C++ GPOINTER_TO_UINT函数的具体用法?C++ GPOINTER_TO_UINT怎么用?C++ GPOINTER_TO_UINT使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。
在下文中一共展示了GPOINTER_TO_UINT函数的20个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的C++代码示例。
示例1: mono_process_get_name
/**
* mono_process_get_name:
* @pid: pid of the process
* @buf: byte buffer where to store the name of the prcoess
* @len: size of the buffer @buf
*
* Return the name of the process identified by @pid, storing it
* inside @buf for a maximum of len bytes (including the terminating 0).
*/
char*
mono_process_get_name (gpointer pid, char *buf, int len)
{
#if USE_SYSCTL
int res;
#ifdef KERN_PROC2
int mib [6];
size_t data_len = sizeof (struct kinfo_proc2);
struct kinfo_proc2 processi;
#else
int mib [4];
size_t data_len = sizeof (struct kinfo_proc);
struct kinfo_proc processi;
#endif /* KERN_PROC2 */
memset (buf, 0, len);
#ifdef KERN_PROC2
mib [0] = CTL_KERN;
mib [1] = KERN_PROC2;
mib [2] = KERN_PROC_PID;
mib [3] = GPOINTER_TO_UINT (pid);
mib [4] = sizeof(struct kinfo_proc2);
mib [5] = 400; /* XXX */
res = sysctl (mib, 6, &processi, &data_len, NULL, 0);
if (res < 0 || data_len != sizeof (struct kinfo_proc2)) {
return buf;
}
#else
mib [0] = CTL_KERN;
mib [1] = KERN_PROC;
mib [2] = KERN_PROC_PID;
mib [3] = GPOINTER_TO_UINT (pid);
res = sysctl (mib, 4, &processi, &data_len, NULL, 0);
if (res < 0 || data_len != sizeof (struct kinfo_proc)) {
return buf;
}
#endif /* KERN_PROC2 */
strncpy (buf, processi.kinfo_name_member, len - 1);
return buf;
#else
char fname [128];
FILE *file;
char *p;
int r;
sprintf (fname, "/proc/%d/cmdline", GPOINTER_TO_INT (pid));
buf [0] = 0;
file = fopen (fname, "r");
if (!file)
return buf;
r = fread (buf, 1, len - 1, file);
fclose (file);
buf [r] = 0;
p = strrchr (buf, '/');
if (p)
return p + 1;
if (r == 0) {
return get_pid_status_item_buf (GPOINTER_TO_INT (pid), "Name", buf, len, NULL);
}
return buf;
#endif
}
开发者ID:Adamcbrz,项目名称:mono,代码行数:74,代码来源:mono-proclib.c
示例2: main
int main(int argc, char * argv[]){
int i = 1;
const char * k_mixture_model_filename = NULL;
setlocale(LC_ALL, "");
while ( i < argc ){
if ( strcmp("--help", argv[i]) == 0 ){
print_help();
exit(0);
} else if ( strcmp("--skip-pi-gram-training", argv[i]) == 0 ){
g_train_pi_gram = false;
} else if ( strcmp("--maximum-occurs-allowed", argv[i]) == 0 ){
if ( ++i >= argc ){
print_help();
exit(EINVAL);
}
g_maximum_occurs = atoi(argv[i]);
} else if ( strcmp("--maximum-increase-rates-allowed", argv[i]) == 0 ){
if ( ++i >= argc ){
print_help();
exit(EINVAL);
}
g_maximum_increase_rates = atof(argv[i]);
} else if ( strcmp("--k-mixture-model-file", argv[i]) == 0 ){
if ( ++i >= argc ){
print_help();
exit(EINVAL);
}
k_mixture_model_filename = argv[i];
} else {
break;
}
++i;
}
PhraseLargeTable2 phrase_table;
MemoryChunk * chunk = new MemoryChunk;
chunk->load("phrase_index.bin");
phrase_table.load(chunk);
FacadePhraseIndex phrase_index;
if (!load_phrase_index(&phrase_index))
exit(ENOENT);
KMixtureModelBigram bigram(K_MIXTURE_MODEL_MAGIC_NUMBER);
bigram.attach(k_mixture_model_filename, ATTACH_READWRITE|ATTACH_CREATE);
while ( i < argc ){
const char * filename = argv[i];
FILE * document = fopen(filename, "r");
if ( NULL == document ){
int err_saved = errno;
fprintf(stderr, "can't open file: %s.\n", filename);
fprintf(stderr, "error:%s.\n", strerror(err_saved));
exit(err_saved);
}
HashofDocument hash_of_document = g_hash_table_new
(g_direct_hash, g_direct_equal);
HashofUnigram hash_of_unigram = g_hash_table_new
(g_direct_hash, g_direct_equal);
assert(read_document(&phrase_table, &phrase_index, document,
hash_of_document, hash_of_unigram));
fclose(document);
document = NULL;
GHashTableIter iter;
gpointer key, value;
/* train the document, and convert it to k mixture model. */
g_hash_table_iter_init(&iter, hash_of_document);
while (g_hash_table_iter_next(&iter, &key, &value)) {
phrase_token_t token1 = GPOINTER_TO_UINT(key);
train_second_word(hash_of_unigram, &bigram,
hash_of_document, token1);
}
KMixtureModelMagicHeader magic_header;
assert(bigram.get_magic_header(magic_header));
magic_header.m_N ++;
assert(bigram.set_magic_header(magic_header));
post_processing_unigram(&bigram, hash_of_unigram);
/* free resources of g_hash_of_document */
g_hash_table_iter_init(&iter, hash_of_document);
while (g_hash_table_iter_next(&iter, &key, &value)) {
HashofSecondWord second_word = (HashofSecondWord) value;
g_hash_table_iter_steal(&iter);
g_hash_table_unref(second_word);
}
g_hash_table_unref(hash_of_document);
hash_of_document = NULL;
g_hash_table_unref(hash_of_unigram);
hash_of_unigram = NULL;
++i;
}
//.........这里部分代码省略.........
开发者ID:dotfeng,项目名称:libpinyin,代码行数:101,代码来源:gen_k_mixture_model.cpp
示例3: fill_initial_rtpe_cfg
void fill_initial_rtpe_cfg(struct rtpengine_config* ini_rtpe_cfg) {
GList* l;
struct intf_config* gptr_data;
for(l = rtpe_config.interfaces.head; l ; l=l->next) {
gptr_data = (struct intf_config*)malloc(sizeof(struct intf_config));
memcpy(gptr_data, (struct intf_config*)(l->data), sizeof(struct intf_config));
g_queue_push_tail(&ini_rtpe_cfg->interfaces, gptr_data);
}
for(l = rtpe_config.redis_subscribed_keyspaces.head; l ; l = l->next) {
// l->data has been assigned to a variable before being given into the queue structure not to get a shallow copy
unsigned int num = GPOINTER_TO_UINT(l->data);
g_queue_push_tail(&ini_rtpe_cfg->redis_subscribed_keyspaces, GINT_TO_POINTER(num));
}
ini_rtpe_cfg->kernel_table = rtpe_config.kernel_table;
ini_rtpe_cfg->max_sessions = rtpe_config.max_sessions;
ini_rtpe_cfg->cpu_limit = rtpe_config.cpu_limit;
ini_rtpe_cfg->load_limit = rtpe_config.load_limit;
ini_rtpe_cfg->bw_limit = rtpe_config.bw_limit;
ini_rtpe_cfg->timeout = rtpe_config.timeout;
ini_rtpe_cfg->silent_timeout = rtpe_config.silent_timeout;
ini_rtpe_cfg->offer_timeout = rtpe_config.offer_timeout;
ini_rtpe_cfg->final_timeout = rtpe_config.final_timeout;
ini_rtpe_cfg->delete_delay = rtpe_config.delete_delay;
ini_rtpe_cfg->redis_expires_secs = rtpe_config.redis_expires_secs;
ini_rtpe_cfg->default_tos = rtpe_config.default_tos;
ini_rtpe_cfg->control_tos = rtpe_config.control_tos;
ini_rtpe_cfg->graphite_interval = rtpe_config.graphite_interval;
ini_rtpe_cfg->redis_num_threads = rtpe_config.redis_num_threads;
ini_rtpe_cfg->homer_protocol = rtpe_config.homer_protocol;
ini_rtpe_cfg->homer_id = rtpe_config.homer_id;
ini_rtpe_cfg->no_fallback = rtpe_config.no_fallback;
ini_rtpe_cfg->port_min = rtpe_config.port_min;
ini_rtpe_cfg->port_max = rtpe_config.port_max;
ini_rtpe_cfg->redis_db = rtpe_config.redis_db;
ini_rtpe_cfg->redis_write_db = rtpe_config.redis_write_db;
ini_rtpe_cfg->no_redis_required = rtpe_config.no_redis_required;
ini_rtpe_cfg->num_threads = rtpe_config.num_threads;
ini_rtpe_cfg->media_num_threads = rtpe_config.media_num_threads;
ini_rtpe_cfg->fmt = rtpe_config.fmt;
ini_rtpe_cfg->log_format = rtpe_config.log_format;
ini_rtpe_cfg->redis_allowed_errors = rtpe_config.redis_allowed_errors;
ini_rtpe_cfg->redis_disable_time = rtpe_config.redis_disable_time;
ini_rtpe_cfg->redis_cmd_timeout = rtpe_config.redis_cmd_timeout;
ini_rtpe_cfg->redis_connect_timeout = rtpe_config.redis_connect_timeout;
ini_rtpe_cfg->common.log_level = rtpe_config.common.log_level;
ini_rtpe_cfg->graphite_ep = rtpe_config.graphite_ep;
ini_rtpe_cfg->tcp_listen_ep = rtpe_config.tcp_listen_ep;
ini_rtpe_cfg->udp_listen_ep = rtpe_config.udp_listen_ep;
ini_rtpe_cfg->ng_listen_ep = rtpe_config.ng_listen_ep;
ini_rtpe_cfg->cli_listen_ep = rtpe_config.cli_listen_ep;
ini_rtpe_cfg->redis_ep = rtpe_config.redis_ep;
ini_rtpe_cfg->redis_write_ep = rtpe_config.redis_write_ep;
ini_rtpe_cfg->homer_ep = rtpe_config.homer_ep;
ini_rtpe_cfg->b2b_url = g_strdup(rtpe_config.b2b_url);
ini_rtpe_cfg->redis_auth = g_strdup(rtpe_config.redis_auth);
ini_rtpe_cfg->redis_write_auth = g_strdup(rtpe_config.redis_write_auth);
ini_rtpe_cfg->spooldir = g_strdup(rtpe_config.spooldir);
ini_rtpe_cfg->iptables_chain = g_strdup(rtpe_config.iptables_chain);
ini_rtpe_cfg->rec_method = g_strdup(rtpe_config.rec_method);
ini_rtpe_cfg->rec_format = g_strdup(rtpe_config.rec_format);
}
开发者ID:linuxmaniac,项目名称:rtpengine,代码行数:69,代码来源:main.c
示例4: ata_cmd_hash_matched
static guint
ata_cmd_hash_matched(gconstpointer k)
{
return GPOINTER_TO_UINT(k);
}
开发者ID:LucaBongiorni,项目名称:LTE_monitor_c2xx,代码行数:5,代码来源:packet-aoe.c
示例5: fragment_hash_func
/* hash func */
static guint fragment_hash_func(gconstpointer k)
{
const fragment_key_t *key = (const fragment_key_t *)k;
return (GPOINTER_TO_UINT(key->stream)) + ((guint)key -> framenum) + ((guint)key->offset);
}
开发者ID:acaceres2176,项目名称:wireshark,代码行数:6,代码来源:stream.c
示例6: remove_pulse
static void
remove_pulse (gpointer pulse_id)
{
g_source_remove (GPOINTER_TO_UINT (pulse_id));
}
开发者ID:Distrotech,项目名称:gtk,代码行数:5,代码来源:widget-factory.c
示例7: expand_terminal
static char* expand_terminal(char* cmd, gboolean keep_open, GError** error)
{
FmTerminal* term;
const char* opts;
char* ret;
/* if %s is not found, fallback to -e */
static FmTerminal xterm_def = { .program = "xterm", .open_arg = "-e" };
term = fm_terminal_dup_default(NULL);
/* bug #3457335: Crash on application start with Terminal=true. */
if(!term) /* fallback to xterm if a terminal emulator is not found. */
{
/* FIXME: we should not hard code xterm here. :-(
* It's better to prompt the user and let he or she set
* his preferred terminal emulator. */
term = &xterm_def;
}
if(keep_open && term->noclose_arg)
opts = term->noclose_arg;
else
opts = term->open_arg;
if(term->custom_args)
ret = g_strdup_printf("%s %s %s %s", term->program, term->custom_args,
opts, cmd);
else
ret = g_strdup_printf("%s %s %s", term->program, opts, cmd);
if(term != &xterm_def)
g_object_unref(term);
return ret;
}
static gboolean do_launch(GAppInfo* appinfo, const char* full_desktop_path, GKeyFile* kf, GList* gfiles, GAppLaunchContext* ctx, GError** err)
{
gboolean ret = FALSE;
char* cmd, *path;
char** argv;
int argc;
gboolean use_terminal;
GAppInfoCreateFlags flags;
cmd = expand_exec_macros(appinfo, full_desktop_path, kf, gfiles);
if(G_LIKELY(kf))
use_terminal = g_key_file_get_boolean(kf, "Desktop Entry", "Terminal", NULL);
else
{
flags = GPOINTER_TO_UINT(g_object_get_data(G_OBJECT(appinfo), "flags"));
use_terminal = (flags & G_APP_INFO_CREATE_NEEDS_TERMINAL) != 0;
}
if(use_terminal)
{
/* FIXME: is it right key to mark this option? */
gboolean keep_open = FALSE;
char* term_cmd;
if(G_LIKELY(kf))
keep_open = g_key_file_get_boolean(kf, "Desktop Entry",
"X-KeepTerminal", NULL);
term_cmd = expand_terminal(cmd, keep_open, err);
g_free(cmd);
if(!term_cmd)
return FALSE;
cmd = term_cmd;
}
g_debug("launch command: <%s>", cmd);
if(g_shell_parse_argv(cmd, &argc, &argv, err))
{
struct ChildSetup data;
if(ctx)
{
gboolean use_sn;
if(G_LIKELY(kf) && g_key_file_has_key(kf, "Desktop Entry", "StartupNotify", NULL))
use_sn = g_key_file_get_boolean(kf, "Desktop Entry", "StartupNotify", NULL);
else if(fm_config->force_startup_notify)
{
/* if the app doesn't explicitly ask us not to use sn,
* and fm_config->force_startup_notify is TRUE, then
* use it by default, unless it's a console app. */
use_sn = !use_terminal; /* we only use sn for GUI apps by default */
/* FIXME: console programs should use sn_id of terminal emulator instead. */
}
else
use_sn = FALSE;
data.display = g_app_launch_context_get_display(ctx, appinfo, gfiles);
if(use_sn)
data.sn_id = g_app_launch_context_get_startup_notify_id(ctx, appinfo, gfiles);
else
data.sn_id = NULL;
}
else
{
data.display = NULL;
data.sn_id = NULL;
}
g_debug("sn_id = %s", data.sn_id);
if(G_LIKELY(kf))
path = g_key_file_get_string(kf, "Desktop Entry", "Path", NULL);
//.........这里部分代码省略.........
开发者ID:dforsi,项目名称:libfm,代码行数:101,代码来源:fm-app-info.c
示例8: delete_done_cb
static void
delete_done_cb (LIBMTP_mtpdevice_t *device, TracksDeletedCallbackData *data)
{
LIBMTP_folder_t *folders;
LIBMTP_file_t *files;
data->actually_free = FALSE;
update_free_space_cb (device, RB_MTP_SOURCE (data->source));
/* if any of the folders we just deleted from are now empty, delete them */
folders = LIBMTP_Get_Folder_List (device);
files = LIBMTP_Get_Filelisting_With_Callback (device, NULL, NULL);
if (folders != NULL) {
GHashTableIter iter;
gpointer key;
g_hash_table_iter_init (&iter, data->check_folders);
while (g_hash_table_iter_next (&iter, &key, NULL)) {
LIBMTP_folder_t *f;
LIBMTP_folder_t *c;
LIBMTP_file_t *file;
uint32_t folder_id = GPOINTER_TO_UINT(key);
while (folder_id != device->default_music_folder && folder_id != 0) {
f = LIBMTP_Find_Folder (folders, folder_id);
if (f == NULL) {
rb_debug ("unable to find folder %u", folder_id);
break;
}
/* don't delete folders with children that we didn't just delete */
for (c = f->child; c != NULL; c = c->sibling) {
if (g_hash_table_lookup (data->check_folders,
GUINT_TO_POINTER (c->folder_id)) == NULL) {
break;
}
}
if (c != NULL) {
rb_debug ("folder %s has children", f->name);
break;
}
/* don't delete folders that contain files */
for (file = files; file != NULL; file = file->next) {
if (file->parent_id == folder_id) {
break;
}
}
if (file != NULL) {
rb_debug ("folder %s contains at least one file: %s", f->name, file->filename);
break;
}
/* ok, the folder is empty */
rb_debug ("deleting empty folder %s", f->name);
LIBMTP_Delete_Object (device, f->folder_id);
/* if the folder we just deleted has siblings, the parent
* can't be empty.
*/
if (f->sibling != NULL) {
rb_debug ("folder %s has siblings, can't delete parent", f->name);
break;
}
folder_id = f->parent_id;
}
}
LIBMTP_destroy_folder_t (folders);
} else {
rb_debug ("unable to get device folder list");
}
/* clean up the file list */
while (files != NULL) {
LIBMTP_file_t *n;
n = files->next;
LIBMTP_destroy_file_t (files);
files = n;
}
g_idle_add ((GSourceFunc) delete_done_idle_cb, data);
}
开发者ID:dignan,项目名称:control,代码行数:85,代码来源:rb-mtp-source.c
示例9: main
//.........这里部分代码省略.........
uid_t uid2 = 0;
const char* remove_session_id = NULL;
int rc = 0;
/* valgrind is more important to us than a slice allocator */
g_slice_set_config (G_SLICE_CONFIG_ALWAYS_MALLOC, 1);
while (1) {
int option;
option = getopt_long(argc, argv, "+a:D:u:dh", options, NULL);
if (option == -1)
break;
switch (option) {
case 'a':
if (strcmp(optarg, "remove") == 0)
action = ACTION_REMOVE;
else
action = ACTION_ADD;
break;
case 'D':
device = optarg;
break;
case 'u':
uid_given = true;
uid = strtoul(optarg, NULL, 10);
break;
case 'd':
debug = 1;
break;
case 'h':
printf("Usage: udev-acl --action=ACTION [--device=DEVICEFILE] [--user=UID]\n\n");
goto out;
}
}
if (action < 0 && device == NULL && !uid_given)
if (!consolekit_called(argv[optind], &uid, &uid2, &remove_session_id, &action))
uid_given = true;
if (action < 0) {
fprintf(stderr, "missing action\n\n");
rc = 2;
goto out;
}
if (device != NULL && uid_given) {
fprintf(stderr, "only one option, --device=DEVICEFILE or --user=UID expected\n\n");
rc = 3;
goto out;
}
if (uid_given) {
switch (action) {
case ACTION_ADD:
/* Add ACL for given uid to all matching devices. */
apply_acl_to_devices(uid, 1);
break;
case ACTION_REMOVE:
remove_uid(uid, remove_session_id);
break;
case ACTION_CHANGE:
remove_uid(uid, remove_session_id);
apply_acl_to_devices(uid2, 1);
break;
case ACTION_NONE:
goto out;
break;
default:
g_assert_not_reached();
break;
}
} else if (device != NULL) {
/*
* Add ACLs for all current session uids to a given device.
*
* Or remove ACLs for uids which do not have any current local
* active session. Remove is not really interesting, because in
* most cases the device node is removed anyway.
*/
GSList *list;
GSList *l;
list = uids_with_local_active_session(NULL);
for (l = list; l != NULL; l = g_slist_next(l)) {
uid_t u;
u = GPOINTER_TO_UINT(l->data);
if (action == ACTION_ADD || !uid_in_list(list, u))
set_facl(device, u, action == ACTION_ADD);
}
g_slist_free(list);
} else {
fprintf(stderr, "--device=DEVICEFILE or --user=UID expected\n\n");
rc = 3;
}
out:
return rc;
}
开发者ID:SaschaMester,项目名称:devuan-udev,代码行数:101,代码来源:udev-acl.c
示例10: windows_menu_image_notify
static void
windows_menu_image_notify (GimpDisplay *display,
const GParamSpec *unused,
GimpUIManager *manager)
{
if (gimp_display_get_image (display))
{
gchar *merge_key = g_strdup_printf ("windows-display-%04d-merge-id",
gimp_display_get_ID (display));
guint merge_id;
merge_id = GPOINTER_TO_UINT (g_object_get_data (G_OBJECT (manager),
merge_key));
if (! merge_id)
{
GtkWidget *widget;
const gchar *ui_path;
gchar *action_name;
gchar *action_path;
gchar *full_path;
ui_path = g_object_get_data (G_OBJECT (manager),
"image-menu-ui-path");
action_name = gimp_display_get_action_name (display);
action_path = g_strdup_printf ("%s/Windows/Images", ui_path);
merge_id = gtk_ui_manager_new_merge_id (GTK_UI_MANAGER (manager));
g_object_set_data (G_OBJECT (manager), merge_key,
GUINT_TO_POINTER (merge_id));
gtk_ui_manager_add_ui (GTK_UI_MANAGER (manager), merge_id,
action_path, action_name, action_name,
GTK_UI_MANAGER_MENUITEM,
FALSE);
full_path = g_strconcat (action_path, "/", action_name, NULL);
widget = gtk_ui_manager_get_widget (GTK_UI_MANAGER (manager),
full_path);
if (widget)
{
GtkAction *action;
action = gimp_ui_manager_find_action (manager,
"windows", action_name);
g_signal_connect_object (widget, "query-tooltip",
G_CALLBACK (windows_menu_display_query_tooltip),
action, 0);
}
g_free (action_name);
g_free (action_path);
g_free (full_path);
}
g_free (merge_key);
}
else
{
windows_menu_display_remove (manager->gimp->displays, display, manager);
}
}
开发者ID:Anstep,项目名称:gimp,代码行数:67,代码来源:windows-menu.c
示例11: dissect_file_record
//.........这里部分代码省略.........
case(STATUS_ACCESS_VIOLATION):
show_exception(tvb, pinfo, parent_tree, DissectorError,
"STATUS_ACCESS_VIOLATION: dissector accessed an invalid memory address");
break;
case(STATUS_INTEGER_DIVIDE_BY_ZERO):
show_exception(tvb, pinfo, parent_tree, DissectorError,
"STATUS_INTEGER_DIVIDE_BY_ZERO: dissector tried an integer division by zero");
break;
case(STATUS_STACK_OVERFLOW):
show_exception(tvb, pinfo, parent_tree, DissectorError,
"STATUS_STACK_OVERFLOW: dissector overflowed the stack (e.g. endless loop)");
/* XXX - this will have probably corrupted the stack,
which makes problems later in the exception code */
break;
/* XXX - add other hardware exception codes as required */
default:
show_exception(tvb, pinfo, parent_tree, DissectorError,
g_strdup_printf("dissector caused an unknown exception: 0x%x", GetExceptionCode()));
}
}
#endif
}
CATCH_BOUNDS_AND_DISSECTOR_ERRORS {
show_exception(tvb, pinfo, parent_tree, EXCEPT_CODE, GET_MESSAGE);
}
ENDTRY;
if(proto_field_is_referenced(tree, hf_file_protocols)) {
wmem_strbuf_t *val = wmem_strbuf_new(wmem_packet_scope(), "");
wmem_list_frame_t *frame;
/* skip the first entry, it's always the "frame" protocol */
frame = wmem_list_frame_next(wmem_list_head(pinfo->layers));
if (frame) {
wmem_strbuf_append(val, proto_get_protocol_filter_name(GPOINTER_TO_UINT(wmem_list_frame_data(frame))));
frame = wmem_list_frame_next(frame);
}
while (frame) {
wmem_strbuf_append_c(val, ':');
wmem_strbuf_append(val, proto_get_protocol_filter_name(GPOINTER_TO_UINT(wmem_list_frame_data(frame))));
frame = wmem_list_frame_next(frame);
}
proto_item_append_string(ti, wmem_strbuf_get_str(val));
}
/* Call postdissectors if we have any (while trying to avoid another
* TRY/CATCH)
*/
if (have_postdissector()) {
TRY {
#ifdef _MSC_VER
/* Win32: Visual-C Structured Exception Handling (SEH)
to trap hardware exceptions like memory access violations */
/* (a running debugger will be called before the except part below) */
/* Note: A Windows "exceptional exception" may leave the kazlib's (Portable Exception Handling)
stack in an inconsistent state thus causing a crash at some point in the
handling of the exception.
See: https://www.wireshark.org/lists/wireshark-dev/200704/msg00243.html
*/
__try {
#endif
call_all_postdissectors(tvb, pinfo, parent_tree);
#ifdef _MSC_VER
} __except(EXCEPTION_EXECUTE_HANDLER /* handle all exceptions */) {
switch(GetExceptionCode()) {
case(STATUS_ACCESS_VIOLATION):
show_exception(tvb, pinfo, parent_tree, DissectorError,
开发者ID:CharaD7,项目名称:wireshark,代码行数:67,代码来源:file-file.c
示例12: ccl_kernel_enqueue_ndrange
/**
* Enqueues a kernel for execution on a device.
*
* Internally, this function calls the clSetKernelArg() OpenCL function
* for each argument defined with the ::ccl_kernel_set_arg() function,
* and the executes the kernel using the clEnqueueNDRangeKernel() OpenCL
* function.
*
* @warning This function is not thread-safe. For multi-threaded
* access to the same kernel function, create multiple instances of
* a kernel wrapper for the given kernel function with
* ::ccl_kernel_new(), one for each thread.
*
* @public @memberof ccl_kernel
*
* @param[in] krnl A kernel wrapper object.
* @param[in] cq A command queue wrapper object.
* @param[in] work_dim The number of dimensions used to specify the
* global work-items and work-items in the work-group.
* @param[in] global_work_offset Can be used to specify an array of
* `work_dim` unsigned values that describe the offset used to calculate
* the global ID of a work-item.
* @param[in] global_work_size An array of `work_dim` unsigned values
* that describe the number of global work-items in `work_dim`
* dimensions that will execute the kernel function.
* @param[in] local_work_size An array of `work_dim` unsigned values
* that describe the number of work-items that make up a work-group that
* will execute the specified kernel.
* @param[in,out] evt_wait_lst List of events that need to complete
* before this command can be executed. The list will be cleared and
* can be reused by client code.
* @param[out] err Return location for a ::CCLErr object, or `NULL` if error
* reporting is to be ignored.
* @return Event wrapper object that identifies this command.
* */
CCL_EXPORT
CCLEvent* ccl_kernel_enqueue_ndrange(CCLKernel* krnl, CCLQueue* cq,
cl_uint work_dim, const size_t* global_work_offset,
const size_t* global_work_size, const size_t* local_work_size,
CCLEventWaitList* evt_wait_lst, CCLErr** err) {
/* Make sure krnl is not NULL. */
g_return_val_if_fail(krnl != NULL, NULL);
/* Make sure cq is not NULL. */
g_return_val_if_fail(cq != NULL, NULL);
/* Make sure err is NULL or it is not set. */
g_return_val_if_fail(err == NULL || *err == NULL, NULL);
/* OpenCL status flag. */
cl_int ocl_status;
/* OpenCL event. */
cl_event event;
/* Event wrapper. */
CCLEvent* evt;
/* Iterator for table of kernel arguments. */
GHashTableIter iter;
gpointer arg_index_ptr, arg_ptr;
/* Set pending kernel arguments. */
if (krnl->args != NULL) {
g_hash_table_iter_init(&iter, krnl->args);
while (g_hash_table_iter_next(&iter, &arg_index_ptr, &arg_ptr)) {
cl_uint arg_index = GPOINTER_TO_UINT(arg_index_ptr);
CCLArg* arg = (CCLArg*) arg_ptr;
ocl_status = clSetKernelArg(ccl_kernel_unwrap(krnl), arg_index,
ccl_arg_size(arg), ccl_arg_value(arg));
ccl_if_err_create_goto(*err, CCL_OCL_ERROR,
CL_SUCCESS != ocl_status, ocl_status, error_handler,
"%s: unable to set kernel arg %d (OpenCL error %d: %s).",
CCL_STRD, arg_index, ocl_status, ccl_err(ocl_status));
g_hash_table_iter_remove(&iter);
}
}
/* Run kernel. */
ocl_status = clEnqueueNDRangeKernel(ccl_queue_unwrap(cq),
ccl_kernel_unwrap(krnl), work_dim, global_work_offset,
global_work_size, local_work_size,
ccl_event_wait_list_get_num_events(evt_wait_lst),
ccl_event_wait_list_get_clevents(evt_wait_lst), &event);
ccl_if_err_create_goto(*err, CCL_OCL_ERROR,
CL_SUCCESS != ocl_status, ocl_status, error_handler,
"%s: unable to enqueue kernel (OpenCL error %d: %s).",
CCL_STRD, ocl_status, ccl_err(ocl_status));
/* Wrap event and associate it with the respective command queue.
* The event object will be released automatically when the command
* queue is released. */
evt = ccl_queue_produce_event(cq, event);
/* Clear event wait list. */
ccl_event_wait_list_clear(evt_wait_lst);
/* If we got here, everything is OK. */
g_assert(err == NULL || *err == NULL);
goto finish;
error_handler:
//.........这里部分代码省略.........
开发者ID:LaSEEB,项目名称:cf4ocl,代码行数:101,代码来源:ccl_kernel_wrapper.c
示例13: test_seek_FORMAT_TIME_by_sample
static void
test_seek_FORMAT_TIME_by_sample (const gchar * fn, GList * seek_positions)
{
GstElement *pipeline, *src, *sink;
GstAdapter *adapter;
GstSample *sample;
GstCaps *caps;
gconstpointer answer;
guint answer_size;
pipeline = gst_parse_launch ("filesrc name=src ! decodebin ! "
"audioconvert dithering=0 ! appsink name=sink", NULL);
src = gst_bin_get_by_name (GST_BIN (pipeline), "src");
g_object_set (src, "location", fn, NULL);
gst_object_unref (src);
sink = gst_bin_get_by_name (GST_BIN (pipeline), "sink");
caps = gst_caps_new_simple ("audio/x-raw",
"format", G_TYPE_STRING, GST_AUDIO_NE (S16),
"rate", G_TYPE_INT, SAMPLE_FREQ, "channels", G_TYPE_INT, 2, NULL);
g_object_set (sink, "caps", caps, "sync", FALSE, NULL);
gst_caps_unref (caps);
gst_element_set_state (pipeline, GST_STATE_PLAYING);
/* wait for preroll, so we can seek */
gst_bus_timed_pop_filtered (GST_ELEMENT_BUS (pipeline), GST_CLOCK_TIME_NONE,
GST_MESSAGE_ASYNC_DONE);
/* first, read entire file to end */
adapter = gst_adapter_new ();
while ((sample = gst_app_sink_pull_sample (GST_APP_SINK (sink)))) {
gst_adapter_push (adapter, gst_buffer_ref (gst_sample_get_buffer (sample)));
gst_sample_unref (sample);
}
answer_size = gst_adapter_available (adapter);
answer = gst_adapter_map (adapter, answer_size);
/* g_print ("%s: read %u bytes\n", fn, answer_size); */
g_print ("%10s\t%10s\t%10s\n", "requested", "sample per ts", "actual(data)");
while (seek_positions != NULL) {
gconstpointer found;
GstMapInfo map;
GstBuffer *buf;
gboolean ret;
guint actual_position, buffer_timestamp_position;
guint seek_sample;
seek_sample = GPOINTER_TO_UINT (seek_positions->data);
ret = gst_element_seek_simple (pipeline, GST_FORMAT_TIME,
GST_SEEK_FLAG_FLUSH | GST_SEEK_FLAG_ACCURATE,
sample_to_nanotime (seek_sample));
g_assert (ret);
sample = gst_app_sink_pull_sample (GST_APP_SINK (sink));
buf = gst_sample_get_buffer (sample);
gst_buffer_map (buf, &map, GST_MAP_READ);
found = memmem (answer, answer_size, map.data, map.size);
gst_buffer_unmap (buf, &map);
g_assert (found != NULL);
actual_position = ((goffset) ((guint8 *) found - (guint8 *) answer)) / 4;
buffer_timestamp_position = nanotime_to_sample (GST_BUFFER_PTS (buf));
g_print ("%10u\t%10u\t%10u\n", seek_sample, buffer_timestamp_position,
actual_position);
gst_sample_unref (sample);
seek_positions = seek_positions->next;
}
gst_element_set_state (pipeline, GST_STATE_NULL);
gst_object_unref (sink);
gst_object_unref (pipeline);
g_object_unref (adapter);
}
开发者ID:BigBrother-International,项目名称:gst-plugins-good,代码行数:80,代码来源:test-accurate-seek.c
示例14: add_hostlist_table_data
void
add_hostlist_table_data(conv_hash_t *ch, const address *addr, guint32 port, gboolean sender, int num_frames, int num_bytes, hostlist_dissector_info_t *host_info, port_type port_type_val)
{
hostlist_talker_t *talker=NULL;
int talker_idx=0;
/* XXX should be optimized to allocate n extra entries at a time
instead of just one */
/* if we don't have any entries at all yet */
if(ch->conv_array==NULL){
ch->conv_array=g_array_sized_new(FALSE, FALSE, sizeof(hostlist_talker_t), 10000);
ch->hashtable = g_hash_table_new_full(host_hash,
host_match, /* key_equal_func */
g_free, /* key_destroy_func */
NULL); /* value_destroy_func */
}
else {
/* try to find it among the existing known conversations */
host_key_t existing_key;
gpointer talker_idx_hash_val;
copy_address_shallow(&existing_key.myaddress, addr);
existing_key.port = port;
if (g_hash_table_lookup_extended(ch->hashtable, &existing_key, NULL, &talker_idx_hash_val)) {
talker = &g_array_index(ch->conv_array, hostlist_talker_t, GPOINTER_TO_UINT(talker_idx_hash_val));
}
}
/* if we still don't know what talker this is it has to be a new one
and we have to allocate it and append it to the end of the list */
if(talker==NULL){
host_key_t *new_key;
hostlist_talker_t host;
copy_address(&host.myaddress, addr);
host.dissector_info = host_info;
host.ptype=port_type_val;
host.port=port;
host.rx_frames=0;
host.tx_frames=0;
host.rx_bytes=0;
host.tx_bytes=0;
host.modified = TRUE;
g_array_append_val(ch->conv_array, host);
talker_idx= ch->conv_array->len - 1;
talker=&g_array_index(ch->conv_array, hostlist_talker_t, talker_idx);
/* hl->hosts address is not a constant but address.data is */
new_key = g_new(host_key_t,1);
set_address(&new_key->myaddress, talker->myaddress.type, talker->myaddress.len, talker->myaddress.data);
new_key->port = port;
g_hash_table_insert(ch->hashtable, new_key, GUINT_TO_POINTER(talker_idx));
}
/* if this is a new talker we need to initialize the struct */
talker->modified = TRUE;
/* update the talker struct */
if( sender ){
talker->tx_frames+=num_frames;
talker->tx_bytes+=num_bytes;
} else {
talker->rx_frames+=num_frames;
talker->rx_bytes+=num_bytes;
}
}
开发者ID:DuLerWeil,项目名称:wireshark,代码行数:68,代码来源:conversation_table.c
示例15: test_type_is_a
static gboolean
test_type_is_a (GType type, gpointer is_a_type)
{
return g_type_is_a (type, (GType) GPOINTER_TO_UINT (is_a_type));
}
开发者ID:davebenson,项目名称:gsk,代码行数:5,代码来源:gskgtypeloader.c
示例16: selection_handler
static void
selection_handler( GtkWidget *WXUNUSED(widget),
GtkSelectionData *selection_data,
guint WXUNUSED(info),
guint WXUNUSED(time),
gpointer signal_data )
{
wxClipboard * const clipboard = wxTheClipboard;
if ( !clipboard )
return;
wxDataObject * const data = clipboard->GTKGetDataObject(
gtk_selection_data_get_selection(selection_data));
if ( !data )
return;
// ICCCM says that TIMESTAMP is a required atom.
// In particular, it satisfies Klipper, which polls
// TIMESTAMP to see if the clipboards content has changed.
// It shall return the time which was used to set the data.
if (gtk_selection_data_get_target(selection_data) == g_timestampAtom)
{
guint timestamp = GPOINTER_TO_UINT (signal_data);
gtk_selection_data_set(selection_data,
GDK_SELECTION_TYPE_INTEGER,
32,
(guchar*)&(timestamp),
sizeof(timestamp));
wxLogTrace(TRACE_CLIPBOARD,
wxT("Clipboard TIMESTAMP requested, returning timestamp=%u"),
timestamp);
return;
}
wxDataFormat format(gtk_selection_data_get_target(selection_data));
wxLogTrace(TRACE_CLIPBOARD,
wxT("clipboard data in format %s, GtkSelectionData is target=%s type=%s selection=%s timestamp=%u"),
format.GetId().c_str(),
wxString::FromAscii(wxGtkString(gdk_atom_name(gtk_selection_data_get_target(selection_data)))).c_str(),
wxString::FromAscii(wxGtkString(gdk_atom_name(gtk_selection_data_get_data_type(selection_data)))).c_str(),
wxString::FromAscii(wxGtkString(gdk_atom_name(gtk_selection_data_get_selection(selection_data)))).c_str(),
GPOINTER_TO_UINT( signal_data )
);
if ( !data->IsSupportedFormat( format ) )
return;
int size = data->GetDataSize( format );
if ( !size )
return;
wxCharBuffer buf(size - 1); // it adds 1 internally (for NUL)
// text data must be returned in UTF8 if format is wxDF_UNICODETEXT
if ( !data->GetDataHere(format, buf.data()) )
return;
// use UTF8_STRING format if requested in Unicode build but just plain
// STRING one in ANSI or if explicitly asked in Unicode
#if wxUSE_UNICODE
if (format == wxDataFormat(wxDF_UNICODETEXT))
{
gtk_selection_data_set_text(
selection_data,
(const gchar*)buf.data(),
size );
}
else
#endif // wxUSE_UNICODE
{
gtk_selection_data_set(
selection_data,
format.GetFormatId(),
8*sizeof(gchar),
(const guchar*)buf.data(),
size );
}
}
开发者ID:chromylei,项目名称:third_party,代码行数:79,代码来源:clipbrd.cpp
示例17: afsocket_sd_close_fd
static void
afsocket_sd_close_fd(gpointer value)
{
gint fd = GPOINTER_TO_UINT(value) - 1;
close(fd);
}
开发者ID:gyula,项目名称:syslog-ng-3.5,代码行数:6,代码来源:afsocket-source.c
示例18: on_cell_renderer_pixbuf_destroy
static void on_cell_renderer_pixbuf_destroy(gpointer user_data, GObject* render)
{
g_signal_handler_disconnect(fm_config, GPOINTER_TO_UINT(user_data));
}
开发者ID:gilir,项目名称:libfm-debian,代码行数:4,代码来源:fm-places-view.c
示例19: mono_gc_run_finalize
/*
* actually, we might want to queue the finalize requests in a separate thread,
* but we need to be careful about the execution domain of the thread...
*/
void
mono_gc_run_finalize (void *obj, void *data)
{
MonoObject *exc = NULL;
MonoObject *o;
#ifndef HAVE_SGEN_GC
MonoObject *o2;
#endif
MonoMethod* finalizer = NULL;
MonoDomain *caller_domain = mono_domain_get ();
MonoDomain *domain;
RuntimeInvokeFunction runtime_invoke;
o = (MonoObject*)((char*)obj + GPOINTER_TO_UINT (data));
if (suspend_finalizers)
return;
domain = o->vtable->domain;
#ifndef HAVE_SGEN_GC
mono_domain_finalizers_lock (domain);
o2 = g_hash_table_lookup (domain->finalizable_objects_hash, o);
mono_domain_finalizers_unlock (domain);
if (!o2)
/* Already finalized somehow */
return;
#endif
/* make sure the finalizer is not called again if the object is resurrected */
object_register_finalizer (obj, NULL);
if (o->vtable->klass == mono_defaults.internal_thread_class) {
MonoInternalThread *t = (MonoInternalThread*)o;
if (mono_gc_is_finalizer_internal_thread (t))
/* Avoid finalizing ourselves */
return;
if (t->threadpool_thread && finalizing_root_domain) {
/* Don't finalize threadpool threads when
shutting down - they're finalized when the
threadpool shuts down. */
add_thread_to_finalize (t);
return;
}
}
if (o->vtable->klass->image == mono_defaults.corlib && !strcmp (o->vtable->klass->name, "DynamicMethod") && finalizing_root_domain) {
/*
* These can't be finalized during unloading/shutdown, since that would
* free the native code which can still be referenced by other
* finalizers.
* FIXME: This is not perfect, objects dying at the same time as
* dynami
|
请发表评论