how to replace char in array with a double
古いコメントを表示
I am making a program that converts Roman numerals to numerical values. My current code is below.
%%Roman Numeral Conversion
%Declare variables
I=1;
V=5;
X=10;
L=50;
C=100;
D=500;
M=1000;
%input Roman numeral
Roman=input('Roman numeral: ','s')
letters=cellstr(Roman')'
for n=1:length(letters)
if (strcmp(letters(n),'I'))||(strcmp(letters(n),'i'))
letters(n)=1;
elseif (strcmp(letters(n),'V'))||(strcmp(letters(n),'v'))
letters(n)=5;
elseif (strcmp(letters(n),'X'))||(strcmp(letters(n),'x'))
letters(n)=10;
elseif (strcmp(letters(n),'L'))||(strcmp(letters(n),'l'))
letters(n)=50;
elseif (strcmp(letters(n),'C'))||(strcmp(letters(n),'c'))
letters(n)=100;
elseif (strcmp(letters(n),'D'))||(strcmp(letters(n),'d'))
letters(n)=500;
elseif (strcmp(letters(n),'M'))||(strcmp(letters(n),'m'))
letters(n)=1000;
else disp('Not valid entries')
break
end
end
number=sum(letters)
text=sprintf(Roman,'= %d',number)
disp(text)
When I run this, I get the error below when I try to substitute the letter for its corresponding numerical value.
Conversion to cell from double is not possible.
Error in Roman_Numeral_Conversion (line 21)
letters(n)=10;
How can I avoid this problem?
1 件のコメント
Stephen23
2025 年 7 月 20 日
Note that you can replace two STRCMP calls:
strcmp(letters(n),'V'))||strcmp(letters(n),'v')
with one STRCMPI call:
strcmpi(letters(n),'V')
採用された回答
その他の回答 (1 件)
Another way to do this would be to set up a vector and use indexing. Let's try it with a valid and an invalid Roman numeral string.
decode('MCMLXXXVI')
decode('DIMS')
function arabic = decode(roman)
values = NaN(1, double('z'));
values('ivxlcdm') = [1, 5, 10, 50, 100, 500, 1000];
roman = char(roman);
arabic = NaN(size(roman));
arabic = values(lower(roman));
if anynan(arabic)
error("Roman numeral string '" + roman + "' contained invalid characters")
end
end
1 件のコメント
+1
The second NaN preallocation can be skipped, the indexing itself will generate the same vector:
decode('MCMLXXXVI')
decode('DIMS')
function vec = decode(roman)
map = NaN(1,+'Z');
map('IVXLCDM') = [1,5,10,50,100,500,1000];
vec = map(roman);
assert(~anynan(vec),'Roman numeral string contained invalid characters')
end
カテゴリ
ヘルプ センター および File Exchange で Argument Definitions についてさらに検索
Community Treasure Hunt
Find the treasures in MATLAB Central and discover how the community can help you!
Start Hunting!