如何从Acumatica中发出外部HTTP请求

时间:2017-07-17 22:21:37

标签: acumatica

我想在“输入销售订单”屏幕(SO301000)上从自定义操作发出GET请求。我们有一个单独的系统,用于向客户发送确认电子邮件。客户服务将使用该操作来手动触发电子邮件。

我已尝试使用HttpClient类,但它告诉我"类型或命名空间名称' HttpClient'找不到(你是否错过了使用指令或汇编引用?)"。我正在引用System.Net,System.Net.Http和System.Net.Http.Headers命名空间,因此我想知道Acumatica是否引用了System.Net.Http程序集?

有没有更好的方式来提出外部请求?

2 个答案:

答案 0 :(得分:1)

不幸的是,Acumatica没有引用 System.Net.Http 程序集。也就是说,在定制的C#代码文件中使用 HttpClient 类是不可能的。

另一种选择是创建一个扩展库,它将引用 System.Net.Http 程序集并将dll包含在自定义中而不是C#代码文件中。有关扩展库的更多信息,请查看Acumatica Customization Guide

答案 1 :(得分:0)

要扩展RuslanDev的建议,以下是该扩展库的代码:

using System;
using System.Collections.Generic;
using System.IO;
using System.Net;

namespace MyApp
{
    public static class Utility
    {
        private static WebRequest CreateRequest(string url, Dictionary headers)
        {
            if (Uri.IsWellFormedUriString(url, UriKind.Absolute))
            {
                WebRequest req = WebRequest.Create(url);
                if (headers != null)
                {
                    foreach (var header in headers)
                    {
                        if (!WebHeaderCollection.IsRestricted(header.Key))
                        {
                            req.Headers.Add(header.Key, header.Value);
                        }
                    }
                }
                return req;
            }
            else
            {
                throw(new ArgumentException("Invalid URL provided.", "url"));
            }
        }
        public static string MakeRequest(string url, Dictionary headers = null)
        {
            WebResponse resp = CreateRequest(url, headers).GetResponse();
            StreamReader reader = new StreamReader(resp.GetResponseStream());
            string response = reader.ReadToEnd();
            reader.Close();
            resp.Close();
            return response;
        }
        public static byte[] MakeRequestInBytes(string url, Dictionary headers = null)
        {
            byte[] rb = null;
            WebResponse resp = CreateRequest(url, headers).GetResponse();
            using (BinaryReader br = new BinaryReader(resp.GetResponseStream()))
            {
                rb = br.ReadBytes((int)resp.ContentLength);
                br.Close();
            }
            resp.Close();
            return rb;
        }
    }
}