使用modelscope在本地部署文本情感分析模型并对外提供api接口

使用modelscope部署StructBERT情感分类-中文-通用-base模型,并提供api接口

本地部署modelscope环境

环境安装 · 文档中心

为了简化部署,直接使用官方提供的docker镜像部署环境

拉取镜像

使用cpu镜像

bash 复制代码
docker pull modelscope-registry.cn-beijing.cr.aliyuncs.com/modelscope-repo/modelscope:ubuntu22.04-py311-torch2.3.1-1.28.0

启动容器

挂载容器内的/home目录到本地,作为开发目录

arduino 复制代码
docker run -it --rm -p 8080:8080 --name modelscopelocal -v <本地目录>:/home <镜像> bash

本地目录和镜像替换为实际的内容 启动后,会直接进入容器中

bash 复制代码
 docker run -it --rm -p 8080:8080 --name modelscopelocal -v D:\workspace\modelscope:/home 6e724d5e15e8 bash
root@470b3a2a6460:/#

使用模型进行预测

在开发目录下创建一个python文件main.py,使用模型对输入文本进行情感分析

python 复制代码
from modelscope.pipelines import pipeline
from modelscope.utils.constant import Tasks

semantic_cls = pipeline(Tasks.text_classification, 'iic/nlp_structbert_sentiment-classification_chinese-base')
result = semantic_cls(input=['哪次能看到你挖石油不漏','今晚什么游戏啊 主播可以说一声吗'])
print(result)

在命令行运行python main.py 输出结果如下:

json 复制代码
[{'scores': [0.8981053829193115, 0.10189458727836609], 'labels': ['正面', '负面']}, {'scores': [0.8091937899589539, 0.19080623984336853], 'labels': ['正面', '负面']}, {'scores': [0.896651029586792, 0.10334893316030502], 'labels': ['负面', '正面']}]

启动一个fastapi服务提供api接口

开发目录下创建一个app.py文件

python 复制代码
## 腾讯元宝自动生成
from fastapi import FastAPI, HTTPException
from pydantic import BaseModel
from typing import List
from modelscope.pipelines import pipeline
from modelscope.utils.constant import Tasks

app = FastAPI(title="情感分析API", description="提供文本情感分析的REST接口", version="1.0.0")

# 加载模型(保持不变)
try:
    sentiment_pipeline = pipeline(
        task=Tasks.text_classification,
        model='iic/nlp_structbert_sentiment-classification_chinese-base'
    )
except Exception as e:
    raise RuntimeError(f"模型加载失败: {str(e)}")

# 请求数据结构(保持不变)
class TextListRequest(BaseModel):
    texts: List[str]

# 响应数据结构(新增 text 字段)
class AnalysisResult(BaseModel):
    text: str           # 原始输入文本(新增)
    labels: List[str]   # 情感标签(如 ["正面", "负面"])
    scores: List[float] # 对应标签的概率分数(如 [0.89, 0.11])

class AnalysisResponse(BaseModel):
    results: List[AnalysisResult]  # 每个文本的完整结果

# /analysis 接口(核心修改点)
@app.post("/analysis", response_model=AnalysisResponse)
async def analyze_text(request: TextListRequest):
    try:
        raw_results = sentiment_pipeline(input=request.texts)
        
        # 新增:将原始文本与预测结果绑定(按顺序一一对应)
        formatted_results = [
            AnalysisResult(
                text=request.texts[i],       # 原始文本
                labels=result["labels"],     # 标签
                scores=result["scores"]      # 分数
            ) 
            for i, result in enumerate(raw_results)  # 按索引匹配原始文本
        ]
        
        return {"results": formatted_results}
        
    except Exception as e:
        raise HTTPException(status_code=500, detail=f"预测失败: {str(e)}")

# 其他代码(健康检查、启动命令等)保持不变

# 可选:添加健康检查接口
@app.get("/health", description="服务健康检查")
async def health_check():
    return {"status": "ok", "message": "服务运行正常"}

# 启动命令(运行时执行)
if __name__ == "__main__":
    import uvicorn
    uvicorn.run(
        app="app:app",  # 模块名:应用实例名
        host="0.0.0.0",  # 允许外部访问
        port=8080,       # 端口号
        reload=True      # 开发模式自动重载(生产环境建议设为False)
    )

启动服务python app.py

访问分析接口

在容器外访问接口

css 复制代码
curl --location --request POST 'http://localhost:8080/analysis' \
--header 'Content-Type: application/json' \
--data-raw '{"texts": ["南征北战"]}'

返回结果如下

json 复制代码
{
    "results": [
        {
            "text": "南征北战",
            "labels": [
                "正面",
                "负面"
            ],
            "scores": [
                0.8927718997001648,
                0.10722804069519043
            ]
        }
    ]
}
相关推荐
大千AI助手12 小时前
XLM-R模型:大规模跨语言表示的突破与实践
语言模型·nlp·transformer·预训练模型·mlm·xlm-r·掩码模型
孤狼灬笑18 小时前
自然语言处理(NLP)—发展历程(背景、技术、优缺点、未来方向)
人工智能·自然语言处理·nlp
Juchecar2 天前
NLP视角:单词还是可以再分解的
nlp
Qiuner2 天前
快速入门LangChain4j Ollama本地部署与阿里百炼请求大模型
语言模型·langchain·nlp·llama·ollama
来酱何人2 天前
实时NLP数据处理:流数据的清洗、特征提取与模型推理适配
人工智能·深度学习·分类·nlp·bert
uncle_ll3 天前
Sherpa 语音识别工具链安装指南(Linux CPU 版)
linux·nlp·语音识别·tts·sherpa
来酱何人5 天前
低资源NLP数据处理:少样本/零样本场景下数据增强与迁移学习结合方案
人工智能·深度学习·分类·nlp·bert
风雨中的小七5 天前
解密prompt系列62. Agent Memory一览 - MATTS & CFGM & MIRIX
llm·nlp
闲人编程6 天前
深入浅出Transformer:使用Hugging Face库快速上手NLP
python·深度学习·自然语言处理·nlp·transformer·hugging face·codecapsule
takashi_void6 天前
如何在本地部署大语言模型(Windows,Mac,Linux)三系统教程
linux·人工智能·windows·macos·语言模型·nlp