4

您好我在我的 Shopify 应用程序中使用 Shopify gem,我正在寻找有关如何处理与 Shopify 的 API 连接的建议。

我正在使用 webhook 和delayed_jobs,所以我需要一种在控制器外部打开连接的方法。

目前我将此方法添加到我的 Shop 模型中:

def connect_to_store
  session = ShopifyAPI::Session.new(self.url, self.access_token)
  session.valid?
  ShopifyAPI::Base.activate_session(session)
end

所以我可以很容易地打开连接,例如:

Shop.find(1).connect_to_store
ShopifyAPI::Shop.current.name

问题是,在我的 Product 模块中,我需要在几个方法中打开连接,但我最终多次调用 connect_to_store 方法,我担心打开到同一个商店的多个连接,而没有真正的需要。

有没有办法检查一个连接是否已经打开,只有在没有找到另一个连接时才打开一个新连接?

谢谢,奥古斯托

- - - - - - - - - - 更新 - - - - - - - - - -

我更好地解释了我的问题。

假设在我的产品模型中,我想查看给定产品的 compare_at_price 是否大于其价格,在这种情况下,我想向 Shopify 产品添加“销售”标签。

在我的产品模型中,我有:

class Product < ActiveRecord::Base
belongs_to :shop

def get_from_shopify
    self.shop.connect_to_store
    @shopify_p = ShopifyAPI::Product.find(self.shopify_id)
end

def add_tag(tag)
  @shopify_p = self.get_from_shopify

  shopify_p_tags = shopify_p.tags.split(",")
  shopify_p_tags.collect{|x| x.strip!}

  unless shopify_p_tags.include?(tag) 
    shopify_p_tags << tag
    shopify_p_tags.join(",")

    shopify_p.tags = shopify_p_tags
    shopify_p.save
  end
end


def on_sale?
  @shopify_p = self.get_from_shopify
  sale = false

  shopify_p.variants.each do |v|
    unless v.compare_at_price.nil?
      if v.compare_at_price > v.price
        sale = true
      end
    end
  end

  return sale
end

def update_sale_tag
  if self.on_sale?
    self.add_tag("sale")
  end
end

end

我的问题是,如果我打电话:

p.update_sale_tag

Shop.connect_to_store 被调用了几次,我在已经通过身份验证的情况下进行了多次身份验证。

你将如何重构这段代码?

4

3 回答 3

6

我通过将 Shopify 返回的 OAuth 令牌存储在商店中来解决此问题(无论如何您都应该这样做)。访问 API 所需的只是令牌,因此在您的商店模型中,您将拥有如下方法:

def shopify_api_path
  "https://#{Rails.configuration.shopify_api_key}:#{self.shopify_token}@#{self.shopify_domain}/admin"
end

然后,如果您想在 Delayed Job 工作人员中访问特定商店的 API,您只需:

begin
  ShopifyAPI::Base.site = shop.shopify_api_path
  # Make whatever calls to the API that you want here.
  products = ShopifyAPI::Product.all
ensure
  ShopifyAPI::Base.site = nil
end

希望这会有所帮助。我发现在控制器之外使用 Sessions 有点混乱,特别是因为这很好而且很容易。

于 2012-07-12T05:54:02.350 回答
1

一旦您的应用程序通过了一次身份验证,您就可以保留该计算出的密码——这很好,直到为该特定商店卸载该应用程序。

换句话说,只需在商家首次安装应用程序时进行一次身份验证,将密码保存到数据库中,并在需要时加载。然后,您的self.shop.connect_to_store调用应该只设置 ShopifyAPI::Session 实例。

于 2012-07-12T01:32:01.143 回答
0

我认为这里有一些误解。你知道你真的只是在使用 Active Resource 来完成你所有的 API 工作吗?因此,当您进行身份验证时,您可能正在对会话进行身份验证?一旦通过身份验证,无论您实际使用 API 多少次,您实际上都不会打开“新”连接。

如果您在一个会话中不断地进行身份验证以执行多个 API 调用,那么您就做错了。

如果您碰巧处于没有身份验证的代码块中(例如,您的应用程序可能处理来自 N 个商店的 WebHook)或延迟作业,只需将 myshopify_domain 字符串传递给这些代码块,在您的数据库中查找 Shop,找到身份验证令牌,身份验证(一次)......然后你就走了......这真的很简单。

于 2012-07-11T17:35:20.267 回答