SAP B1,如何显示从ItemImage提取的图像?


10

我正在从SAP B1服务层获取图像。在邮递员中,我可以将其查看为image/png,但显示时出现问题。

显示它的正确方法是什么<img />

require(fetchedImage) -不起作用


我创建了一个Cloud Function来获取图像并将其传递给客户端,但是我不确定该怎么做。

有一个超级奇怪的东西是这样的

 data:
>     '�PNGörönöu001aönöu0000öu0000öu0000örIHDRöu0000öu.........

不知道如何通过它,res.send(IMAGE IN PNG)这样我就可以在客户端看到图像。

检查base64转换,但不确定如何使用。


更新资料

邮递员要求:(此功能正常)

GET:https : //su05.consensusintl.net/b1s/v1/ItemImages('test')/ $ value

标头:SessionId:尝试时询问我

由于某些原因,我们无法直接在前端获取图像,而需要创建一个中间件,因此我们在 Firebase Cloud Function

因此,这是获取图像并且不知道如何传递图像的函数。

这是Firebase Cloud Function中的函数:

if (!req.body.productId) {
      res.status(400).send({ error: "productId is required" });
      return;
    }

    console.log("Starting the process");

    const productId = req.body.productId;

    const login = await Auth.login();
    const fetchedImg = await ItemMaster.getImage(login["SessionId"], productId);

    //Here in the fetchedImg, we're getting some data like
    res
      .status(200)
      .set("Content-Type", "image/png")
      .send(fetchedImg);

我们得到这样的响应:

{状态:200,

statusText:“确定”,

标头:

{ server: 'nginx',

  date: 'Wed, 22 Jan 2020 03:52:22 GMT',

  'content-type': 'image/png',

  'transfer-encoding': 'chunked',

  connection: 'close',

  dataserviceversion: '3.0',

  'content-disposition': 'inline; filename="rr-96600.png"',

  vary: 'Accept-Encoding',

  'set-cookie': [ 'ROUTEID=.node2; path=/b1s' ] },

配置:

{ url:

数据:

'PNG \ r \ n \ u001a \ n \ u0000 \ u0000 \ u0000 \ rIHDR \ u0000 \ u0000 \ u0000 \ u0000 \ u0000 \ u0000 \ u0000 \ b \ u0002 \ u0000 \ u0000 \ u0000 \ u0000 \ u0006 \u001fS \ u0000 \ u0000 \ u0000 \ u0019tEXt软件\ u0000Adobe ImageReadyq.e <\ u0000 \ u0000 \ u0003hiTXtXML:com.adobe.xmp \ u0000 \ u0000 \ u0000 \ u0000 \ u0000 \ u0000

这条线超长,可以再打80-100条线

如果要测试,可以使用以下方法:

邮差:

开机自检:https//us-central1-rapid-replacement.cloudfunctions.net/getImageFromItems

正文:{“ productId”:“ test”}

有效的productId为:1.“ RR000102” 2.“测试” 3.“ RR000101”


1
您是否在后端设置了内容类型res.set({'Content-Type': 'image/png'});
C.Gochev

1
是的,我也尝试过,它给出了损坏的图像。
达哈尔·贾多什

1
你把它们保存在某个地方吗?
C.Gochev

1
不,我不是,有没有办法做到这一点?
达哈尔·贾多什

1
你可以代理直接const request = require('request')和路线request.get(url).pipe(res);
C.Gochev

Answers:


4

如果要动态使用图像,则必须在安装组件后立即获取图像,然后再插入。然后,应该将获取的图片保存在组件的状态中,并从那里包含在img标签的src属性中。假设您已经可以获取图片,则下面的代码应该可以正常工作。

import React, { Component } from "react";

export default class ComponentWithFetchedImage extends Component {
  constructor() {
    super();
    this.state = { image: undefined };   
  }

  componentDidMount() {
    let fetch_url = "https://picsum.photos/200";   // Insert your fetch url here
    fetch(fetch_url)
      .then(res => res.blob())
      .then(blob => URL.createObjectURL(blob))
      .then(url => this.setState({ image: url }))
      .catch(err => console.log(err));
  }

  render() {
    return (
      <div className="component">
        <img src={this.state.image} alt="" />
      </div>
    );   
  }
}

1
我无法直接在ComponentDidMount中获取,因为我需要在服务器端创建自定义函数,为此,我通过Cloud函数来实现。
达哈尔·贾多什

1
它不允许我从客户端获取数据,它说,当我从React执行时,在fetch / axios中传递了非法标头。
达哈尔·贾多什

3

这是我最近找到的最可行的解决方案。基本上我尝试的是获取图像,然后将其转换为客户端上的blob,以便可以将其转换为。objectURL更新的代码,将图像作为缓冲区流式传输并在客户端上使用,然后将其转换为objectURL并分配给image src

服务器代码:

const http = require('http')
const axios = require('axios')
const fs = require('fs')
const stream = require('stream')
const server = http.createServer(function(req, res) {
  if (req.url === '/') {


    res.setHeader("Access-Control-Allow-Origin", "*");
    axios.post(
      "https://su05.consensusintl.net/b1s/v1/ItemImages('test')/$value", {
        responseType: "blob"
      }).then(function(resp) {
      console.log(resp.data)
      const buf_stream = new stream.PassThrough()
      buf_stream.end(Buffer.from(resp.data))
      buf_stream.pipe(res.end())
    }).catch(err => console.log(err))
  }
})


server.listen(3500)

客户代码:

<!DOCTYPE html>
<html lang="en" dir="ltr">

<head>
  <meta charset="utf-8">
  <title></title>
</head>

<body>
  <img style="width:200px; height:200px" />
  <script>

  const img = document.getElementsByTagName("IMG")
  fetch('http://localhost:3500').then(function(response) {
    console.log(response)
    return response.body
  }).then(function(data) {
    console.log(data)
    const reader = data.getReader()
     return new ReadableStream({
    start(controller) {
      return pump();
      function pump() {
        return reader.read().then(({ done, value }) => {
          // When no more data needs to be consumed, close the stream
          if (done) {
              controller.close();
              return;
          }
          // Enqueue the next data chunk into our target stream
          controller.enqueue(value);
          return pump();
        });
      }
    }
  })
})
  .then(stream => new Response(stream))
  .then(response => response.blob())
  .then(blob => URL.createObjectURL(blob))
  .then(url => img[0].src = url)
  .catch(err => console.error(err));
    </script>
</body>

</html>

嘿,我忘了告诉你一件事,我确实在这里得到了图像GET : https://su05.consensusintl.net/b1s/v1/ItemImages('test')/$value,但是当我通过相同的事情时,它就不起作用了。如果您有更好的主意,请告诉我,如果您打扰您,请对不起。
Dhaval Jardosh

我这一面表示感谢:)
Dhaval Jardosh

查看更新的代码。这是我最后的尝试。希望您找到解决方案。
C.Gochev

0

此问题已得到解决。

const getImage = async (sessionId, ItemCode) => {
  console.log("fetching image");
  let result = {};

  result = await axios.get(
    `${settings.url}${endpoints.ItemImages}('${ItemCode}')/$value`,
    { 
      headers: {Cookie: `B1SESSION=${sessionId}`},
      responseType: "arraybuffer" } 
    ).then(response => Buffer.from(response.data, 'binary').toString('base64'));

  //Here we're returning base64 value of Image
  return result;
};

这样我们就可以使用

<img src="data:image/png;base64,[BASE64-VALUE-HERE]"/>

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.