Skip to content

Script Development / Writing and Calling Functions

This document is the most basic Guide for developing scripts on DataFlux Func. After reading it, you will be able to perform the most basic development and usage tasks on DataFlux Func.

1. Pre-Reading Notes

During the use of DataFlux Func,

Please do not allow multiple people to log in with the same account, and do not allow multiple people to edit the same code simultaneously.

To avoid issues of code overwriting and loss.

2. Writing the First Function and Calling It

Writing code in DataFlux Func is not much different from writing Python code normally. For functions that need to be exported as APIs, simply add the built-in @DFF.API(...) decorator.

The return value of the function is the return value of the interface. When the return value is dict or list, the system will automatically return it as JSON.

A typical function looks like this:

Python
1
2
3
4
5
6
@DFF.API('Hello, world')
def hello_world(message=None):
    ret = {
        'message': message
    }
    return ret

The DataFlux Func platform provides multiple ways to call functions decorated with DFF.API(...):

Execution Function Characteristics Use Cases
Sync API Generates a synchronous HTTP API. Returns the result directly after calling When processing time is short, and the client needs immediate results
Async API Generates an asynchronous HTTP API. Responds immediately but does not return the result When processing time is long, and the interface call is only a start signal
Cron Job Automatically executes based on Crontab syntax Regular data synchronization / caching, scheduled tasks, etc.

Here, creating a Func API for this function allows it to be called via HTTP on the public network.

Assuming the "Func API" ID created for this function is func-api-xxxxx, the simplest way to call this function is as follows:

Text Only
1
GET /api/v1/al/func-api-xxxxx/s?message=Hello

The response is as follows (some content omitted):

Text Only
1
2
3
4
HTTP/1.1 200 OK
Content-Type: application/json

{"message":"Hello"}

3. Writing a Function That Supports File Uploading

DataFlux Func also supports uploading files via Func API.

When handling uploaded files, you can add a files parameter to the function to receive the uploaded file information. After uploading, DataFlux Func automatically stores the file in a temporary upload directory for the script to process further.

Example
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
# Receives an Excel file and returns the contents of Sheet1
from openpyxl import load_workbook

@DFF.API('Read Excel')
def read_excel(files=None):
    excel_data = []
    if files:
        workbook = load_workbook(filename=files[0]['filePath'])
        for row in workbook['Sheet1'].iter_rows(min_row=1, values_only=True):
            excel_data.append(row)

    return excel_data

The files parameter is automatically filled by the DataFlux Func system, with the following content:

JSON
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
[
    {
        "filePath"    : "<Temporary file storage path>",
        "originalname": "<Original file name>",
        "encoding"    : "<Encoding>",
        "mimetype"    : "<MIME type>",
        "size"        : "<File size>"
    },
    ...
]

For example commands on uploading files, see Script Development / Basic Concepts / Func API / POST Simplified Parameter Passing

4. Receiving Non-JSON, Non-Form Data

Added in version 1.6.9

In some cases, requests may be initiated by third-party systems or applications in their specific format, and the request body is not in JSON or Form format. In such cases, you can use **data as a parameter and call it in the POST simplified form.

When the system receives text or data that cannot be parsed, it automatically packages it as { "text": "<text>" } or { "base64": "<Base64-encoded binary data>"} and passes it to the function.

Example code:

Python
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
import json
import binascii

@DFF.API('Function that accepts any format Body')
def tiger_balm(**data):
    if 'text' in data:
        # When the request body is text (e.g., Content-Type: text/plain)
        # The `data` parameter will contain a single `text` field with the content
        return f"Text:{data['text']}"

    elif 'base64' in data:
        # When the request body is in an unparsable format (Content-Type: application/xxx)
        # The `data` parameter will contain a single `base64` field with the Base64 string of the request body
        # The Base64 string can be converted to Python binary data using `binascii.a2b_base64(...)`
        b = binascii.a2b_base64(data['base64'])
        return f"Base64:{data['base64']} -> {b}"

When the Request Body is Text

Request as follows:

Bash
1
curl -X POST -H "Content-Type: text/plain" -d 'hello, world!' http://localhost:8089/api/v1/al/auln-unknow-body/s

Output as follows:

Text Only
1
Text:hello, world!

When the Request Body is in an Unknown Format

Request as follows:

Bash
1
curl -X POST -H "Content-Type: unknow/type" -d 'hello, world!' http://localhost:8089/api/v1/al/auln-unknow-body/s

Output as follows:

Text Only
1
Base64:aGVsbG8sIHdvcmxkIQ== -> b'hello, world!'