Welcome to mirror list, hosted at ThFree Co, Russian Federation.

dynlib.c « intern « blenlib « blender « source - git.blender.org/blender.git - Unnamed repository; edit this file 'description' to name the repository.
summaryrefslogtreecommitdiff
blob: 1cd23ea2ca0b277134cefb685784384df5a0c36c (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
/* SPDX-License-Identifier: GPL-2.0-or-later
 * Copyright 2001-2002 NaN Holding BV. All rights reserved. */

/** \file
 * \ingroup bli
 */

#include <stdio.h>
#include <stdlib.h>
#include <string.h>

#include "MEM_guardedalloc.h"

#include "BLI_dynlib.h"

struct DynamicLibrary {
  void *handle;
};

#ifdef WIN32
#  define WIN32_LEAN_AND_MEAN
#  include "utf_winfunc.h"
#  include "utfconv.h"
#  include <windows.h>

DynamicLibrary *BLI_dynlib_open(const char *name)
{
  DynamicLibrary *lib;
  void *handle;

  UTF16_ENCODE(name);
  handle = LoadLibraryW(name_16);
  UTF16_UN_ENCODE(name);

  if (!handle) {
    return NULL;
  }

  lib = MEM_callocN(sizeof(*lib), "Dynamic Library");
  lib->handle = handle;

  return lib;
}

void *BLI_dynlib_find_symbol(DynamicLibrary *lib, const char *symname)
{
  return GetProcAddress(lib->handle, symname);
}

char *BLI_dynlib_get_error_as_string(DynamicLibrary *lib)
{
  int err;

  /* if lib is NULL reset the last error code */
  err = GetLastError();
  if (!lib) {
    SetLastError(ERROR_SUCCESS);
  }

  if (err) {
    static char buf[1024];

    if (FormatMessage(FORMAT_MESSAGE_FROM_SYSTEM | FORMAT_MESSAGE_IGNORE_INSERTS,
                      NULL,
                      err,
                      MAKELANGID(LANG_NEUTRAL, SUBLANG_DEFAULT),
                      buf,
                      sizeof(buf),
                      NULL)) {
      return buf;
    }
  }

  return NULL;
}

void BLI_dynlib_close(DynamicLibrary *lib)
{
  FreeLibrary(lib->handle);
  MEM_freeN(lib);
}

#else /* Unix */

#  include <dlfcn.h>

DynamicLibrary *BLI_dynlib_open(const char *name)
{
  DynamicLibrary *lib;
  void *handle = dlopen(name, RTLD_LAZY);

  if (!handle) {
    return NULL;
  }

  lib = MEM_callocN(sizeof(*lib), "Dynamic Library");
  lib->handle = handle;

  return lib;
}

void *BLI_dynlib_find_symbol(DynamicLibrary *lib, const char *symname)
{
  return dlsym(lib->handle, symname);
}

char *BLI_dynlib_get_error_as_string(DynamicLibrary *lib)
{
  (void)lib; /* unused */
  return dlerror();
}

void BLI_dynlib_close(DynamicLibrary *lib)
{
  dlclose(lib->handle);
  MEM_freeN(lib);
}

#endif