2

我对不同语言可以加入数组的可能方式感兴趣,而不是使用单个连接字符串,而是在给定的时间间隔使用不同的连接字符串。

例如(假设语言):

Array.modJoin([mod, char], ...)
e.g. [1,2,3,4,5].modJoin( [1, ","], [2, ":"] )

在参数指定包含模数和连接字符的数组或对象的情况下,实现将检查哪个模数顺序优先(最新的),并应用连接字符。(要求 [mod,char] 以 mod 升序提供)

IE

if (index % (nth mod) == 0) 
  append (join char) 
  continue to next index 
else 
  (nth mod)-- repeat

when complete join with ""

例如,我在 Ruby 中提出了以下内容,但我怀疑存在更好/更优雅的方法,这就是我希望看到的。

#Create test Array 
#9472 - 9727 as HTML Entities (unicode box chars)
range       = (9472..9727).to_a.map{|u| "&##{u};" }  

假设我们有一个模组和连接字符列表,我们必须规定模组的价值随着列表的进展而增加。

mod_joins   = [{m:1, c:",", m:12, c:"<br/>"]

现在处理rangewithmod_joins

processed = range.each_with_index.map { |e, i| 
  m = nil
  mods.reverse_each {|j|
    m = j and break if i % j[:m] == 0
  }
  # use the lowest mod for index 0
  m = mods[0] if i == 0 
  m = nil ? e : "#{e}#{m[:c]}"
}

#output the result string
puts processed.join ""

从这里我们有一个 htmlEntities 列表,用分隔,,除非它的索引是第 12 模,在这种情况下它是<br/>

因此,我对可以更优雅地完成此操作的方法很感兴趣,主要是在 Haskell、F#、Common Lisp(Scheme、Clojure)等函数式语言中,但在具有列表理解扩展等的通用语言中也有很酷的方法来实现这一点作为 C# 与 Linq、Ruby 和 Python 甚至 Perl。

4

2 回答 2

1

这是 Ruby 中一个更简单、更易读的解决方案

array = (9472..9727).map{|u|"&##{u};"}
array.each_slice(12).collect{|each|each.join(",")}.join("<br/>")

或对于一般情况

module Enumerable   
  def fancy_join(instructions)
    return self.join if instructions.empty?
    separator = instructions.delete(mod = instructions.keys.max)
    self.each_slice(mod).collect{|each|each.fancy_join(instructions.dup)}.join(separator)
  end
end

range = (9472..9727).map{|u|"&##{u};"}
instructions = {1=>",",12=>"<br/>"}

puts array.fancy_join(instructions)    
于 2012-12-21T05:24:38.857 回答
1

这是一个用 Python 编写的纯功能版本。我相信它可以很容易地适应其他语言。

import itertools

def calcsep(num, sepspecs):
  '''
    num: current character position
    sepspecs: dict containing modulus:separator entries
  '''
  mods = reversed(sorted(sepspecs))
  return sepspecs[next(x for x in mods if num % x == 0)]

vector = [str(x) for x in range(12)]

result = [y for ix, el in enumerate(vector)
            for y in (calcsep(ix, {1:'.', 3:',', 5:';'}), el)]

print ''.join(itertools.islice(result, 1, None))
于 2012-12-21T03:53:09.860 回答