作者:tsavol
项目:go-pytho
// encodeTuple translates a Go array to a Python object.
func encodeTuple(array []interface{}) (pyTuple *C.PyObject, err error) {
if len(array) == 0 {
pyTuple = pyEmptyTuple
C.INCREF(pyTuple)
} else {
pyTuple = C.PyTuple_New(C.Py_ssize_t(len(array)))
var ok bool
defer func() {
if !ok {
C.DECREF(pyTuple)
pyTuple = nil
}
}()
for i, item := range array {
var pyItem *C.PyObject
if pyItem, err = encode(item); err != nil {
return
}
C.Tuple_SET_ITEM(pyTuple, C.Py_ssize_t(i), pyItem)
}
ok = true
}
return
}
作者:redb
项目:goswiftob
func pyObjToInterface(o *C.PyObject) interface{} {
if C.myPyString_Check(o) != 0 {
return C.GoStringN(C.PyString_AsString(o), C.int(C.PyString_Size(o)))
} else if C.myPyInt_Check(o) != 0 {
return int64(C.PyInt_AsLong(o))
} else if C.myPyDict_Check(o) != 0 {
v := make(map[interface{}]interface{})
items := C.PyDict_Items(o)
for i := 0; i < int(C.PyTuple_Size(items)); i++ {
item := C.PyTuple_GetItem(items, C.Py_ssize_t(i))
key := C.PyTuple_GetItem(item, 0)
value := C.PyTuple_GetItem(item, 1)
v[pyObjToInterface(key)] = pyObjToInterface(value)
}
C.Py_DecRef(items)
return v
} else if C.myPyTuple_Check(o) != 0 {
length := int(C.PyTuple_Size(o))
list := make([]interface{}, length)
for i := 0; i < length; i++ {
list[i] = pyObjToInterface(C.PyTuple_GetItem(o, C.Py_ssize_t(i)))
}
return list
}
return nil
}
作者:ericsnowcurrentl
项目:qur-gop
func (l *List) GetSlice(low, high int64) (*List, error) {
ret := C.PyList_GetSlice(c(l), C.Py_ssize_t(low), C.Py_ssize_t(high))
if ret == nil {
return nil, exception()
}
return newList(ret), nil
}
作者:xushiwe
项目:gop
func (t *Tuple) GetSlice(low, high int64) (*Tuple, error) {
ret := C.PyTuple_GetSlice(c(t), C.Py_ssize_t(low), C.Py_ssize_t(high))
if ret == nil {
return nil, exception()
}
return newTuple(ret), nil
}
作者:ericsnowcurrentl
项目:qur-gop
func (u *Unicode) Find(substr Object, start, end int64, direction int) (int64, bool, error) {
ret := C.PyUnicode_Find(c(u), c(substr), C.Py_ssize_t(start), C.Py_ssize_t(end), C.int(direction))
if ret >= 0 {
return int64(ret), true, nil
} else if ret == -1 {
return 0, false, nil
}
return 0, false, exception()
}
作者:gwar
项目:go-pytho
// int PySlice_GetIndices(PySliceObject *slice, Py_ssize_t length, Py_ssize_t *start, Py_ssize_t *stop, Py_ssize_t *step)
// Retrieve the start, stop and step indices from the slice object slice, assuming a sequence of length length. Treats indices greater than length as errors.
//
// Returns 0 on success and -1 on error with no exception set (unless one of the indices was not None and failed to be converted to an integer, in which case -1 is returned with an exception set).
//
// You probably do not want to use this function. If you want to use slice objects in versions of Python prior to 2.3, you would probably do well to incorporate the source of PySlice_GetIndicesEx(), suitably renamed, in the source of your extension.
//
// Changed in version 2.5: This function used an int type for length and an int * type for start, stop, and step. This might require changes in your code for properly supporting 64-bit systems.
func PySlice_GetIndices(slice *PySliceObject, length int) (start, stop, step int, err error) {
c_start := C.Py_ssize_t(0)
c_stop := C.Py_ssize_t(0)
c_step := C.Py_ssize_t(0)
err = int2err(C.PySlice_GetIndices(slice.ptr, C.Py_ssize_t(length),
&c_start, &c_stop, &c_step))
start = int(c_start)
stop = int(c_stop)
step = int(c_step)
return
}
作者:xushiwe
项目:gop
// NewTuple returns a new *Tuple of the specified size. However the entries are
// all set to NULL, so the tuple should not be shared, especially with Python
// code, until the entries have all been set.
//
// Return value: New Reference.
func NewTuple(size int64) (*Tuple, error) {
ret := C.PyTuple_New(C.Py_ssize_t(size))
if ret == nil {
return nil, exception()
}
return newTuple(ret), nil
}
作者:xushiwe
项目:gop
// PackTuple returns a new *Tuple which contains the arguments. This tuple is
// ready to use.
//
// Return value: New Reference.
func PackTuple(items ...Object) (*Tuple, error) {
ret := C.PyTuple_New(C.Py_ssize_t(len(items)))
if ret == nil {
return nil, exception()
}
// Since the ob_item array has a size of 1, Go won't let us index more than
// a single entry, and if we try and use our own local type definition with
// a flexible array member then cgo converts it to [0]byte which is even
// less useful. So, we resort to pointer manipulation - which is
// unfortunate, as it's messy in Go.
// base is a pointer to the first item in the array of PyObject pointers.
// step is the size of a PyObject * (i.e. the number of bytes we need to add
// to get to the next item).
base := unsafe.Pointer(&(*C.PyTupleObject)(unsafe.Pointer(ret)).ob_item[0])
step := uintptr(C.tupleItemSize())
for _, item := range items {
item.Incref()
*(**C.PyObject)(base) = c(item)
// Move base to point to the next item, by incrementing by step bytes
base = unsafe.Pointer(uintptr(base) + step)
}
return newTuple(ret), nil
}
作者:pandemicsy
项目:berti
func interfaceToPyObj(o interface{}) *C.PyObject {
switch o.(type) {
case int:
return C.PyInt_FromLong(C.long(o.(int)))
case int64:
return C.PyInt_FromLong(C.long(o.(int64)))
case string:
strvalue := C.CString(o.(string))
defer C.free(unsafe.Pointer(strvalue))
return C.PyString_FromStringAndSize(strvalue, C.Py_ssize_t(len(o.(string))))
case map[interface{}]interface{}:
dict := C.PyDict_New()
for key, value := range o.(map[interface{}]interface{}) {
dictAddItem(dict, key, value)
}
return dict
case map[string]string:
dict := C.PyDict_New()
for key, value := range o.(map[string]string) {
dictAddItem(dict, key, value)
}
return dict
case map[string]interface{}:
dict := C.PyDict_New()
for key, value := range o.(map[string]interface{}) {
dictAddItem(dict, key, value)
}
return dict
default:
return C.PyNone()
}
}
作者:ericsnowcurrentl
项目:qur-gop
// NewList creates a new Python List instance. The created list has initial
// length "size".
//
// Note: If size > 0, then the objects in the returned list are initialised to
// nil. Thus you cannot use Abstract API functions, or expose the object to
// Python code without first filling in all the created slots with
// list.SetItem().
//
// Return value: New Reference.
func NewList(size int64) (*List, error) {
ret := C.PyList_New(C.Py_ssize_t(size))
if ret == nil {
return nil, exception()
}
return newList(ret), nil
}
作者:tsavol
项目:go-pytho
// decodeMapping translates a Python object to a Go map.
func decodeMapping(pyMapping *C.PyObject) (mapping map[interface{}]interface{}, err error) {
mapping = make(map[interface{}]interface{})
pyItems := C.Mapping_Items(pyMapping)
if pyItems == nil {
err = getError()
return
}
length := int(C.PyList_Size(pyItems))
for i := 0; i < length; i++ {
pyPair := C.PyList_GetItem(pyItems, C.Py_ssize_t(i))
var (
key interface{}
value interface{}
)
if key, err = decode(C.PyTuple_GetItem(pyPair, 0)); err != nil {
return
}
if value, err = decode(C.PyTuple_GetItem(pyPair, 1)); err != nil {
return
}
mapping[key] = value
}
return
}
作者:hoangp
项目:go-pytho
// PyObject* PyMarshal_ReadObjectFromString(char *string, Py_ssize_t len)
// Return value: New reference.
// Return a Python object from the data stream in a character buffer containing len bytes pointed to by string. On error, sets the appropriate exception (EOFError or TypeError) and returns NULL.
//
// Changed in version 2.5: This function used an int type for len. This might require changes in your code for properly supporting 64-bit systems.
func PyMarshal_ReadObjectFromString(str string) *PyObject {
//FIXME: use []byte ?
c_str := C.CString(str)
defer C.free(unsafe.Pointer(c_str))
return togo(C.PyMarshal_ReadObjectFromString(c_str, C.Py_ssize_t(len(str))))
}
作者:gwar
项目:go-pytho
// PyObject* PyByteArray_FromStringAndSize(const char *string, Py_ssize_t len)
// Create a new bytearray object from string and its length, len. On failure, NULL is returned.
func PyByteArray_FromStringAndSize(str string) *PyObject {
//FIXME use []byte instead ?
c_str := C.CString(str)
defer C.free(unsafe.Pointer(c_str))
return togo(C.PyByteArray_FromStringAndSize(c_str, C.Py_ssize_t(len(str))))
}
作者:ericsnowcurrentl
项目:qur-gop
//export goClassSeqLength
func goClassSeqLength(obj unsafe.Pointer) C.Py_ssize_t {
ctxt := getClassContext(obj)
// Turn the function into something we can call
f := (*func(unsafe.Pointer) int64)(unsafe.Pointer(&ctxt.sq_length))
return C.Py_ssize_t((*f)(obj))
}
作者:gbb
项目:textmat
func NewUnicode(s string) (*Unicode, error) {
cs := C.CString(s)
defer C.free(unsafe.Pointer(cs))
ret := C.PyUnicode_FromStringAndSize(cs, C.Py_ssize_t(len(s)))
if ret == nil {
return nil, exception()
}
return newUnicode(ret), nil
}
作者:ericsnowcurrentl
项目:qur-gop
//export goClassMapLen
func goClassMapLen(obj unsafe.Pointer) C.Py_ssize_t {
// Get the class context
ctxt := getClassContext(obj)
// Turn the function into something we can call
f := (*func(unsafe.Pointer) int64)(unsafe.Pointer(&ctxt.mp_len))
return C.Py_ssize_t((*f)(obj))
}
作者:MogeiWan
项目:embedding-python-in-golan
//export createThreadCallback
func createThreadCallback(pid *C.pthread_t) {
runtime.LockOSThread()
defer runtime.UnlockOSThread()
_gstate := C.start_thread()
_cb, _r, _w, _ok := callbacks.Get(pid)
defer callbacks.Delete(pid)
if !_ok {
panic(fmt.Errorf("failed to found thread callback for `%v`", pid))
}
// TODO: add special headers for WSGI.
_environ := GenerateEnviron(_r)
_response := C.run_wsgi_application(_environ)
// parse header
for i := 0; i < int(C.PyList_Size(_response.headers)); i++ {
_h := C.PyList_GetItem(_response.headers, C.Py_ssize_t(i))
_k := C.PyTuple_GetItem(_h, C.Py_ssize_t(0))
_v := C.PyTuple_GetItem(_h, C.Py_ssize_t(1))
_w.Header().Set(
PyString_AsString(_k),
PyString_AsString(_v),
)
}
_body := C.GoString(_response.body)
if len(_body) < 1 {
panic(fmt.Errorf("failed to import python wsgi module."))
}
C.end_thread(_gstate)
// write body
_w.WriteHeader(int(_response.status))
_w.Write([]byte(_body))
_cb()
}
作者:gwar
项目:go-pytho
// Note This function is not available in 3.x and does not have a PyBytes alias.
// PyObject* PyString_Decode(const char *s, Py_ssize_t size, const char *encoding, const char *errors)
// Return value: New reference.
// Create an object by decoding size bytes of the encoded buffer s using the codec registered for encoding. encoding and errors have the same meaning as the parameters of the same name in the unicode() built-in function. The codec to be used is looked up using the Python codec registry. Return NULL if an exception was raised by the codec.
//
// Note This function is not available in 3.x and does not have a PyBytes alias.
// Changed in version 2.5: This function used an int type for size. This might require changes in your code for properly supporting 64-bit systems.
func PyString_Decode(s string, sz int, encoding, errors string) *PyObject {
c_s := C.CString(s)
defer C.free(unsafe.Pointer(c_s))
c_encoding := C.CString(encoding)
defer C.free(unsafe.Pointer(c_encoding))
c_errors := C.CString(errors)
defer C.free(unsafe.Pointer(c_errors))
return togo(C.PyString_Decode(c_s, C.Py_ssize_t(sz), c_encoding, c_errors))
}
作者:MogeiWan
项目:embedding-python-in-golan
func GenerateEnviron(r *http.Request) *C.PyObject {
_environ := C.PyDict_New()
for k, _items := range r.Header {
_values_tuple := C.PyTuple_New(C.Py_ssize_t(len(_items)))
for i, _item := range _items {
C.PyTuple_SetItem(
_values_tuple,
C.Py_ssize_t(i),
PyString_FromString(_item),
)
}
C.PyDict_SetItem(
_environ,
PyString_FromString(k),
_values_tuple,
)
}
//_environ = upgrade_to_wsgi(r, _environ)
return _environ
}
作者:tsavol
项目:go-pytho
func (o *object) ItemValue(t *Thread, i int) (item interface{}, err error) {
t.execute(func() {
pyItem := C.PySequence_GetItem(o.pyObject, C.Py_ssize_t(i))
if pyItem == nil {
err = getError()
return
}
defer C.DECREF(pyItem)
item, err = decode(pyItem)
})
return
}