10

我正在使用在 Bluemix 上运行 Flask 的 Python 应用程序。我知道如何将对象存储与 swiftclient 模块一起使用来创建容器并在其中保存文件,但是如何转储其中包含的 joblib 或 pickle 文件?以及如何将它加载回我的 Python 程序中?

这是存储简单文本文件的代码。

import swiftclient

app = Flask(__name__)
CORS(app)


cloudant_service = json.loads(os.environ['VCAP_SERVICES'])['Object-Storage'][0]
objectstorage_creds = cloudant_service['credentials']

if objectstorage_creds:
   auth_url = objectstorage_creds['auth_url'] + '/v3' #authorization URL
   password = objectstorage_creds['password'] #password
   project_id = objectstorage_creds['projectId'] #project id
   user_id = objectstorage_creds['userId'] #user id 
   region_name = objectstorage_creds['region'] #region name 

def predict_joblib():
  print('satart')
  conn = swiftclient.Connection(key=password,authurl=auth_url,auth_version='3',os_options={"project_id": project_id,"user_id": user_id,"region_name": region_name})
  container_name = 'new-container'

  # File name for testing
  file_name = 'requirment.txt'

  # Create a new container
  conn.put_container(container_name)
  print ("nContainer %s created successfully." % container_name)

  # List your containers
  print ("nContainer List:")
  for container in conn.get_account()[1]:
    print (container['name'])

  # Create a file for uploading
  with open(file_name, 'w') as example_file:
    conn.put_object(container_name,file_name,contents= "",content_type='text/plain')

  # List objects in a container, and prints out each object name, the file size, and last modified date
  print ("nObject List:")
  for container in conn.get_account()[1]:
    for data in conn.get_container(container['name'])[1]:
      print ('object: {0}t size: {1}t date: {2}'.format(data['name'], data['bytes'], data['last_modified']))

  # Download an object and save it to ./my_example.txt
  obj = conn.get_object(container_name, file_name)
  with open(file_name, 'w') as my_example:
    my_example.write(obj[1])
  print ("nObject %s downloaded successfully." % file_name)




@app.route('/')
def hello():
    dff = predict_joblib()
    return 'Welcome to Python Flask!'

@app.route('/signUp')
def signUp():
    return 'signUp'


port = os.getenv('PORT', '5000')
if __name__ == "__main__":
    app.debug = True
    app.run(host='0.0.0.0', port=int(port))
4

1 回答 1

1

由于两者都file.open返回pickle.dumps字节对象,如 python 文档所示:

pickle.dumps(obj, protocol=None, *, fix_imports=True) 将对象的腌制表示作为字节对象返回,而不是将其写入文件。

open(name[, mode[, buffering]]) 打开一个文件,返回文件对象一节中描述的文件类型的对象。如果无法打开文件,则会引发 IOError。打开文件时,最好使用 open() 而不是直接调用文件构造函数。

您可以只处理要存储的对象,如下obj所示:

# Create a file for uploading
file = pickle.dumps(obj)
conn.put_object(container_name,file,contents= "",content_type='application/python-pickle')

内容类型的这种变化是由于 http 协议中的标准造成的。这是我从另一个 SO 问题中得到的,请检查。就像声明的那样:

这是事实上的标准。RFC2046 状态:4.5.3。其他应用程序子类型 预计将来会定义许多其他“应用程序”子类型。MIME 实现必须至少将任何无法识别的子类型视为等同于“应用程序/八位字节流”。因此,对于不支持pickle 的系统,流看起来像任何其他八位字节流,但对于启用pickle 的系统来说,这是至关重要的信息

于 2016-05-19T21:28:59.167 回答