我遇到了一个问题,明确要求我不要使用numpy或panda。
问题:
给定一个包含数字和'_'
(缺失值)符号的字符串,您必须按照说明替换'_'
符号
Ex 1: _, _, _, 24 ==> 24/4, 24/4, 24/4, 24/4 i.e we. have distributed the 24 equally to all 4 places
Ex 2: 40, _, _, _, 60 ==> (60+40)/5,(60+40)/5,(60+40)/5,(60+40)/5,(60+40)/5 ==> 20, 20, 20, 20, 20 i.e. the sum of (60+40) is distributed qually to all 5 places
Ex 3: 80, _, _, _, _ ==> 80/5,80/5,80/5,80/5,80/5 ==> 16, 16, 16, 16, 16 i.e. the 80 is distributed qually to all 5 missing values that are right to it
Ex 4: _, _, 30, _, _, _, 50, _, _
==> we will fill the missing values from left to right
a. first we will distribute the 30 to left two missing values (10, 10, 10, _, _, _, 50, _, _)
b. now distribute the sum (10+50) missing values in between (10, 10, 12, 12, 12, 12, 12, _, _)
c. now we will distribute 12 to right side missing values (10, 10, 12, 12, 12, 12, 4, 4, 4)
对于具有逗号分隔值的给定字符串,其将具有两个缺失值数字,如ex:“,,x,,,”,您需要填写缺失值Q:你的程序读取一个字符串,例如ex:“,,x,,,”并返回填充序列Ex:
Input1: "_,_,_,24"
Output1: 6,6,6,6
Input2: "40,_,_,_,60"
Output2: 20,20,20,20,20
Input3: "80,_,_,_,_"
Output3: 16,16,16,16,16
Input4: "_,_,30,_,_,_,50,_,_"
Output4: 10,10,12,12,12,12,4,4,4
我试着用split函数来拆分一个列表中的字符串,然后我试着检查左边的空格,并计算这样的空格的个数,一旦我遇到一个非空格,我就用总数除这个数,也就是说(在数字之前遇到的空格数和数字本身),然后展开这些值并替换数字左边的空格
然后我检查两个数字之间的空格,然后应用相同的逻辑,之后对右边的空格做同样的操作。
然而,我在下面分享的代码抛出了各种各样的错误,而且我相信我在上面分享的逻辑中存在漏洞,因此希望了解解决这个问题的见解
def blanks(S):
a= S.split()
count = 0
middle_store = 0
#left
for i in range(len(a)):
if(a[i]=='_'):
count = count+1 #find number of blanks to the left of a number
else:
for j in range(0,i+1):
#if there are n blanks to the left of the number speard the number equal over n+1 spaces
a[j] = str((int(a[i])/(count+1)))
middle_store= i
break
#blanks in the middle
denominator =0
flag = 0
for k in len(middle_store+1,len(a)):
if(a[k] !='_'):
denominator = (k+1-middle_store)
flag=k
break
for p in len(middle_store,flag+1):
a[p] = str((int(a[p])/denominator))
#blanks at the right
for q in len(flag,len(a)):
a[q] = str((int(a[q])/(len(a)-flag+1)))
S= "_,_,30,_,_,_,50,_,_"
print(blanks(S))
7条答案
按热度按时间ybzsozfc1#
模块化解决方案
5uzkadbs2#
首先,你应该在split方法中指定一个分隔符作为参数,默认情况下,分隔符按空格分隔。
所以
"_,_,x,_,_,y,_".split()
会得到['_,_,x,_,_,y,_']
而
"_,_,x,_,_,y,_".split(',')
将给予['_', '_', 'x', '_', '_', 'y', '_']
。其次,对于“middle”和“right”循环(对于right),需要将
len
替换为range
。由于除法的原因,最好使用
float
而不是int
因为要用它来做除法,所以最好将分母初始化为1。
在最后一个循环中,
a[q] = str((int(a[q])/(len(a)-flag+1)))
(与a[p]
相同)应该返回一个错误,因为[q]是“_"。您需要使用一个变量来保存a[flag]
的值。每个break都应该在else或if语句中,否则,您将只传递循环一次。
最后,为了提高复杂性,您可以从j循环中退出middle_store赋值,以避免每次都赋值。
TL;DR:试试这个:
附言:你甚至试过解决错误吗?或者你只是等着别人来解决你的数学问题?
1tuwyuhd3#
针对所讨论的问题的代码也可以通过以下方式完成,尽管代码没有优化和简化,但它是从不同的Angular 编写的:
wqsoz72f4#
h4cxqtbf5#
p4rjhz4m6#
ui7jx7zq7#
“检查所有输入是否正常工作”
定义替换: