Logo

[SM 5.1-new / OutFox LTS and Alpha V] DDR A3 Theme

Register Log In Back To Forums

Post #501 · Posted at 2025-04-24 09:49:24pm 2.4 months ago

Offline Don_Padoli
Don_Padoli Avatar Member
5 Posts
Chile
Reg. 2025-04-23

Quote: piotr25691
They were missing? I need to check it.

This should not be the case.

1-10 Dan: perfect
KAIDEN: - simbol

any ideas for how to fix the dance stages problem?

any song with BGA is laggy
but a song with generic BGA runs fine

Post #502 · Posted at 2025-04-25 01:12:38pm 2.3 months ago

Offline makoflagkk
makoflagkk Avatar Member
100 Posts
United States
Reg. 2023-03-12


Last updated: 2025-04-25 01:12pm
Some suggestions for the theme.

Shock arrow symbols should be under the difficulty sign on the jacket instead of the groove radar

Guidelines should have two different variations for the beat.

CENTER: Which denotes beats of the song.

BORDER: Which shows lines to different types of beats.

So basically CENTER gives exactly the timing where arrows should hit while BORDER marks the lines of the edges of the beats and subdivisions.

Another thing is the food calories tab does not save. It resets as in DDR the tab saves. And also the tab has a little animation where it shows different foods trying to load in your calories.

I recoded the announcer use this code it is way closer to how ddr a3 announcer works compared to before



local t = Def.ActorFrame {}

-- Core control variables
local soundPlaying = false
local lastSoundTime = 0 -- seconds since song start
local globalCooldown = 5 -- seconds to wait after any cue
local fallbackInterval = 30 -- seconds before a time-based fallback
local firstStepMade = false
local lastAnnouncerCue = "" -- "combo", "cheering", etc.
local firstCuePlayed = false -- ensures first cue is combo 50

-- Song / BPM info
local bpm, songLength

-- Fixed 50-combo milestones list (50,100,150…1000)
local fixedMilestones = {}
for i = 50, 1000, 50 do
table.insert(fixedMilestones, i)
end

-- Generate dynamic thresholds based on BPM (non-50 multiples)
local function getBPMThresholds(bpm)
local base = 50
if bpm >= 200 then base = 20
elseif bpm >= 180 then base = 25
elseif bpm >= 160 then base = 30
elseif bpm >= 140 then base = 35
elseif bpm >= 120 then base = 40
end
local dyn = {}
for i = base, 1000, base do
if i % 50 ~= 0 then
table.insert(dyn, i)
end
end
return dyn
end

-- Per-player state
local players = {
[PLAYER_1] = { combo = 0, misses = 0, judgedMines = 0 },
[PLAYER_2] = { combo = 0, misses = 0, judgedMines = 0 }
}

-- Update song info & thresholds on start / change
local dynamicThresholds = {}
local function UpdateSongInfo()
local song = GAMESTATE:GetCurrentSong()
if not song then return end
bpm = song:GetDisplayBpms()[2] or 0
songLength = song:GetLastSecond() or 0
dynamicThresholds = getBPMThresholds(bpm)
lastSoundTime = 0
firstStepMade = false
firstCuePlayed = false
lastAnnouncerCue = ""
for _, st in pairs(players) do
st.combo = 0
st.misses = 0
st.judgedMines = 0
end
end

t[#t+1] = Def.ActorFrame {
OnCommand = function(self) self:queuecommand("Init") end,
CurrentSongChangedMessageCommand = function(self) self:queuecommand("Init") end,
InitCommand = function(self) UpdateSongInfo() end,
}

-- “Ready” announcer cue
t[#t+1] = Def.ActorFrame {
OnCommand = function(s) s:sleep(BeginReadyDelay()):queuecommand("PlayReady") end,
PlayReadyCommand = function(s)
local title = GAMESTATE:GetCurrentSong():GetDisplayFullTitle()
if title == "LET'S CHECK YOUR LEVEL!" or title == "Steps to the Star" then return end
SOUNDTonguelayAnnouncer("gameplay ready ac")
end
}

-- Judgment & milestone logic
t[#t+1] = Def.ActorFrame {
JudgmentMessageCommand = function(self, params)
local pn = params.Player
local st = players[pn]
local now = GAMESTATE:GetSongPosition():GetMusicSeconds()

-- 1) Track combos / misses / mines
if params.TapNoteScore == "TapNoteScore_Miss"
or params.TapNoteScore == "TapNoteScore_HitMine"
or params.HoldNoteScore == "HoldNoteScore_LetGo"
then
if params.HoldNoteScore ~= "HoldNoteScore_MissedHold" then
st.combo = 0
st.misses = st.misses + 1
end
elseif params.TapNoteScore == "TapNoteScore_AvoidMine" then
st.judgedMines = st.judgedMines + 1
if st.judgedMines >= 4 then
st.judgedMines = 0
st.combo = st.combo + 1
end
st.misses = 0
else
if params.HoldNoteScore ~= "HoldNoteScore_Held" then
st.judgedMines = 0
st.combo = st.combo + 1
st.misses = 0
end
end

-- 2) First-step guard
if st.combo > 0 or st.misses > 0 then firstStepMade = true end
if not firstStepMade then return end

-- 3) Skip special songs
local title = GAMESTATE:GetCurrentSong():GetDisplayFullTitle()
if title == "LET'S CHECK YOUR LEVEL!" or title == "Steps to the Star" then return end

-- 4) First-ever cue = combo 50
if not firstCuePlayed and st.combo >= 50 then
SOUNDTonguelayAnnouncer("combo 50 ac")
lastAnnouncerCue = "combo"
firstCuePlayed = true
lastSoundTime = now
soundPlaying = true
self:sleep(globalCooldown):queuecommand("ResetSound")
return
end

-- 5) 100–1000 fixed milestones: always fire immediately
if st.combo % 100 == 0 and st.combo >= 100 and st.combo <= 1000 then
SOUNDTonguelayAnnouncer("combo " .. st.combo .. " ac")
lastAnnouncerCue = "combo"
lastSoundTime = now
soundPlaying = true
self:sleep(globalCooldown):queuecommand("ResetSound")
return
end

-- 6) Remaining 50-combo milestones (150,250,350…): respect cooldown
for _, m in ipairs(fixedMilestones) do
if m % 100 ~= 0 and st.combo == m and (now - lastSoundTime) >= globalCooldown then
SOUNDTonguelayAnnouncer("combo " .. m .. " ac")
lastAnnouncerCue = "combo"
lastSoundTime = now
soundPlaying = true
self:sleep(globalCooldown):queuecommand("ResetSound")
return
end
end

-- 7) Dynamic BPM-based thresholds (alternate combo50 / cheering)
for _, m in ipairs(dynamicThresholds) do
if st.combo == m and (now - lastSoundTime) >= globalCooldown then
if lastAnnouncerCue == "combo" then
SOUNDTonguelayAnnouncer("cheering normal ac")
SOUNDTonguelayAnnouncer("crowd cues ac")
lastAnnouncerCue = "cheering"
else
SOUNDTonguelayAnnouncer("combo 50 ac")
lastAnnouncerCue = "combo"
end
lastSoundTime = now
soundPlaying = true
self:sleep(globalCooldown):queuecommand("ResetSound")
return
end
end
end,

ResetSoundCommand = function(self)
soundPlaying = false
end,
}

-- 8) Time-based fallback (every fallbackInterval seconds)
t[#t+1] = Def.ActorFrame {
OnCommand = function(self) self:queuecommand("CheckFallback") end,
CheckFallbackCommand = function(self)
local now = GAMESTATE:GetSongPosition():GetMusicSeconds()
if firstStepMade and not soundPlaying and (now - lastSoundTime) >= fallbackInterval then
-- randomly choose: time line + cheer or combo 50
if math.random(1,2) == 1 then
SOUNDTonguelayAnnouncer("time_interval ac")
SOUNDTonguelayAnnouncer("cheering normal ac")
lastAnnouncerCue = "cheering"
else
SOUNDTonguelayAnnouncer("combo 50 ac")
lastAnnouncerCue = "combo"
end
lastSoundTime = now
soundPlaying = true
self:sleep(globalCooldown):queuecommand("ResetSound")
end
self:sleep(1):queuecommand("CheckFallback")
end
}

return t
mako

Post #503 · Posted at 2025-04-25 06:05:06pm 2.3 months ago

Offline piotr25691
piotr25691 Avatar Member
64 Posts
Poland
Reg. 2025-02-24

"I make DDR A3 better!"
Send that Lua code on a paste bin, thank you.

By the way, what do you mean by "Shock Arrows" icon being under the difficulty marking? How does it look like on the real DDR A3?

And yeah BORDER mode still not implemented, I don't know how it works.

Post #504 · Posted at 2025-04-25 06:37:45pm 2.3 months ago

Offline makoflagkk
makoflagkk Avatar Member
100 Posts
United States
Reg. 2023-03-12


Last updated: 2025-04-25 06:37pm
Quote: piotr25691
Send that Lua code on a paste bin, thank you.

By the way, what do you mean by "Shock Arrows" icon being under the difficulty marking? How does it look like on the real DDR A3?

And yeah BORDER mode still not implemented, I don't know how it works.


BOARDER guidelines scroll the lines boarder the screen they are stationery arrows mid screen they emerge the the edges of the screen they scroll from both top and bottom borders toward the middle judgment line. The player ZERO WOLF always uses them most of the time here is a video for reference. [youtube] https://youtu.be/XSxGMuNgm0A?si=wHEYZ6u_Mpgq6yaF[/youtube]

and the shock arrows graphic looks like this https://rhythmickeystrokes.wordpress.com/wp-content/uploads/2018/10/thing.png?w=333&h=234 " target="_blank"> https://rhythmickeystrokes.wordpress.com/wp-content/uploads/2018/10/thing.png?w=333&h=234

https://pixeldrain.com/u/9sJzVW5v

announcer code for ddr a3 theme
mako

Post #505 · Posted at 2025-04-25 07:56:05pm 2.3 months ago

Offline piotr25691
piotr25691 Avatar Member
64 Posts
Poland
Reg. 2025-02-24

"I make DDR A3 better!"
While this screenshot you sent was from DDR A, yeah it isn't hard just add another actor to MusicWheeIItem Song NormalPart that diffusealpha(1) when the chart's mine count is not 0

And BORDER guidelines look very similar to the CENTER ones, but shifted a bit towards the top.

I'll check that Lua if it's any different, I think I got the announcers correct though.

Post #506 · Posted at 2025-04-25 08:04:37pm 2.3 months ago

Offline makoflagkk
makoflagkk Avatar Member
100 Posts
United States
Reg. 2023-03-12

Quote: piotr25691
While this screenshot you sent was from DDR A, yeah it isn't hard just add another actor to MusicWheeIItem Song NormalPart that diffusealpha(1) when the chart's mine count is not 0

And BORDER guidelines look very similar to the CENTER ones, but shifted a bit towards the top.

I'll check that Lua if it's any different, I think I got the announcers correct though.

Yeah center is more standard for a fixed arrow while boarder focuses more on beat intervals what is your discord handle
mako

Post #507 · Posted at 2025-04-26 04:04:13pm 2.3 months ago

Offline piotr25691
piotr25691 Avatar Member
64 Posts
Poland
Reg. 2025-02-24

"I make DDR A3 better!"

Last updated: 2025-04-26 04:07pm
I added it (?) but FFmpeg is hating me and locks up on BGA loop. Great.

Here's a paste bin of the code:

https://pastebin.com/rYDp2gUB

Post #508 · Posted at 2025-04-26 08:39:35pm 2.3 months ago

Offline makoflagkk
makoflagkk Avatar Member
100 Posts
United States
Reg. 2023-03-12

Quote: piotr25691
I added it (?) but FFmpeg is hating me and locks up on BGA loop. Great.

Here's a paste bin of the code:

https://pastebin.com/rYDp2gUB

Cool. If you’re able to get a code for border guidelines you can send me that too in a paste bin.
mako

Post #509 · Posted at 2025-04-27 01:06:00am 2.3 months ago

Offline VR0
VR0 Avatar Member
992 Posts
Chile
Reg. 2012-03-20

Nintendo Switch Friend Code: SW-2602-0918-1312
"ムーン ゴーシュス メヂィデーション"

Last updated: 2025-04-27 01:51am
https://zenius-i-vanisher.com/pictures/11303-1745715872.jpeg
Missed japanese characters when sorted by genre with japanese texts.

Possible fix in (Theme)/fonts/common default.ini:
# Default font. This font is loaded behind every other font.
[main]
0=20

Top=3
Bottom=29

map default=0
map invalid=1

# Load the default 16-pixel glyphs. They can be overridden by fonts
# later.
import=_dfghsw9 28px,_korean 24px,_game chars 16px

That's all, but I need more font fixes in the same file.
AC Score Tracker: DDR EXTREME // SN2 (JP)
My username in these games:
DDR(1st)-EXTREME: VRC
StepMania 3.9+ REDUX: VRC
DDR Supernova onwards / IIDX ID: VR0

Post #510 · Posted at 2025-04-27 07:41:30am 2.3 months ago

Offline piotr25691
piotr25691 Avatar Member
64 Posts
Poland
Reg. 2025-02-24

"I make DDR A3 better!"
Quote: makoflagkk
Quote: piotr25691
I added it (?) but FFmpeg is hating me and locks up on BGA loop. Great.

Here's a paste bin of the code:

https://pastebin.com/rYDp2gUB

Cool. If you’re able to get a code for border guidelines you can send me that too in a paste bin.

For BORDER guidelines I've went into the C++ and added a new metric for beat bars shift and set it to -30 ingame, as that's what looked the closest to the video. You need to edit the NoteField renderer to do it.

Post #511 · Posted at 2025-04-27 02:05:24pm 2.3 months ago

Offline makoflagkk
makoflagkk Avatar Member
100 Posts
United States
Reg. 2023-03-12

What code does the shock arrows graphic go into? Like what script do i edit?
mako

Post #512 · Posted at 2025-05-01 03:56:39pm 2.1 months ago

Offline piotr25691
piotr25691 Avatar Member
64 Posts
Poland
Reg. 2025-02-24

"I make DDR A3 better!"

Last updated: 2025-05-01 03:56pm
This script is added in MusicWheelItem Song NormalPart.

I will batch update together with BORDER guidelines. I have the shift coded.

Quote: makoflagkk
What code does the shock arrows graphic go into? Like what script do i edit?

The code has been uploaded. It requires the 20250430 release of OpenDDR 5.1/5.2, these files will be uploaded soon.

Post #513 · Posted at 2025-05-02 12:09:39am 2.1 months ago

Offline VR0
VR0 Avatar Member
992 Posts
Chile
Reg. 2012-03-20

Nintendo Switch Friend Code: SW-2602-0918-1312
"ムーン ゴーシュス メヂィデーション"

Last updated: 2025-05-04 02:47am
New japanese text!!!

This text is in (theme)/languages/ja.ini, create it if abstent:
[Common]
WindowTitle=Dance Dance Revolution A3

[Screen]
HelpText=&BACK;で終了 &START;を選択 &SELECT;でオプション &MENULEFT;&MENURIGHT;&MENUUP;&MENUDOWN;で移動

[ScreenWithMenuElements]
HelpText=&BACK;を終了 &START;を選択 &MENULEFT;&MENURIGHT;を移動
StageCounter=%s STAGE
EventStageCounter=STAGE %03i
HelpTextOptionsAndBack=&MENUUP;&MENUDOWN;で行 &MENULEFT;&MENURIGHT;で変更 &START;で選択 &BACK;で破棄

[ScreenTitleMenu]
HelpText=&BACK;で終了 &START;で選択 &MENUUP;&MENUDOWN;で移動
Network OK=ONLINE
Offline=ONLINE
Connected to %s=Connected to %s
CurrentGametype=Current Gametype: %s
LifeDifficulty=Life Difficulty: %s
TimingDifficulty=Timing Difficulty: %s
%i Songs (%i Groups), %i Courses=%i Songs (%i Groups), %i Courses
GAME MODE=GAME MODE
TRAINING MODE=TRAINING MODE
EDIT MODE=EDIT MODE
OPTIONS=OPTIONS
EXIT=EXIT


[ScreenTitleJoin]
HelpText=&START;ボタンを押し付ける
HelpTextJoin=&START;ボタンを押し付ける
HelpTextWait=コインを入れてください。
EventMode=Event Mode
JointPremiumMain=Joint Premium
JointPremiumSecondary=Two players can play with one credit!
DoublesPremiumMain=Doubles Premium
DoublesPremiumSecondary=Play doubles for one credit!

[ScreenDemonstration]
Demonstration=Demonstration
%s - %s [from %s]=%s - %s\n[from %s]

[ScreenProfileLoad]
HelpText=... Loading profiles, please wait ...

[ScreenSelectProfile]
%d Song Played=%d Song Played
%d Songs Played=%d Songs Played
PressStart=&START;ボタンを押し付ける
HelpText=&MENUUP;&MENUDOWN; Switch Profile &START; Choose/Join &BACK; Unselect
HelpTextCard=&START;ボタンを押し付ける
HeaderText=LOGIN

HelpText=&MENULEFT;&MENURIGHT;で選択 &START; で決定
NotSetWeight=重みを設定しない
ConfiguredWeight=★★★.★ kg
SetCharacter=ダンサーを選択してください。
NoCharacter=Blank
SetWeight=体重を設定してください。
WeightExplanation=正確なカロリー表示には\n体重設定が必要です。\n体重は表示されません。
WeightExplanation2=以前入力した\n体重を変更できます。\n体重は表示されません。

[ScreenSelectMaster]
HelpText=&BACK;で終了 &START;で選択/参加 &MENULEFT;&MENURIGHT;で移動

[ScreenSelectPlayMode]
HeaderText=SELECT MODE
HelpText=
EasyExplanation=A mode for beginners.
HardExplanation=For experts.
OldNormalExplanation=Not too easy, not too hard.
NormalExplanation=Play all your favorite songs!
RaveExplanation=Battle against friend or foe.
NonstopExplanation=Several Songs in a row
OniExplanation=A true test of skill.
EndlessExplanation=It don't stop, it keep rollin'.

[ScreenSelectPlayCourseMode]
HelpText=
HeaderText=SELECT COURSE MODE

[ScreenSelectPlayStyle]
HelpText=


[ScreenGameInformation]
HelpText=&BACK;で終了 &START;でスキップ。

[ScreenSelectMusic]
NEW!=NEW!
Press Start For Options=オプションについては&START;を押してください
Entering Options=ENTERING SETTING OPTION
HelpText=
AlternateHelpText=
HeaderText=SELECT MUSIC

[ScreenSortList]
BeginnerMeter=BEGINNER選別
EasyMeter=BASIC選別
MediumMeter=DIFFICULT選別
HardMeter=EXPERT選別
ChallengeMeter=CHALLENGE選別
Group=バージョン
Title=曲名
Artist=ARTIST曲名
Genre=ジャンル
BPM=BPM
TopGrades=トップグレード
Popularity=人気

[ScreenSelectCourse]
HelpText=
HeaderText=SELECT COURSE

[ScreenOptions]
HelpText=&BACK; Exit &START; Choose &SELECT; Go Up &MENULEFT;&MENURIGHT;&MENUUP;&MENUDOWN; Move
Disqualified=Score will be disqualified!

[ScreenOptionsServiceChild]
HelpText=PRESS P1 LEFT/RIGHT BUTTON = SELECT ITEM\nPRESS P1 START BUTTON = EXECUTE

[ScreenOptionsService]
HelpText=PRESS P1 LEFT/RIGHT BUTTON = SELECT ITEM\nPRESS P1 START BUTTON = EXECUTE

[ScreenStageInformation]
BestScore=Best
TargetScore=Target

[ScreenEvaluation]
HeaderText=RESULTS

[ScreenEvaluationSummary]
HeaderText=TOTAL RESULTS

[OptionTitles]
#PLAYER OPTIONS#
Speed=ハイスピード
Accel=スクロールの動き方
AppearancePlus=矢印の見え方
Turn=矢印の配置
Hide=ステップゾーン
Scroll=スクロール方向
NoteSkins=矢印のデザイン
ArrowColor=矢印の色
Cut=タイミング別カット
Freeze=フリーズアロー
Jump=同時踏み
ArrowType=矢印のデザイン
DanceStage=ダンスステージ
VisualDelaySeconds=表示タイミング
TargetScore=ターゲットスコア
GuideLinesType=ガイドラインの表示
Gauge=ゲージ
#PLAYER OPTIONS#


#SCREEN OPTIONS SERVICE#
Input Options=Input Options
CustomOptions=Custom Options
#SCREEN OPTIONS SERVICE#


#SCREEN APPEARANCE OPTIONS#
EditorNoteSkin=Editor NoteSkin
#SCREEN APPEARANCE OPTIONS#

#SCREEN CUSTOM OPTIONS#
OptionsTheme=Theme Options
OptionsPlayer=Player Options
OptionsStages=DanceStages Options
#SCREEN CUSTOM OPTIONS#


#SCREEN OPTIONS THEME#
Version=バージョン
Model=モデル
Logo=ロゴ
GoldenLeague=GOLDEN LEAGUE
DanCourse=段位認定
GameplayBackground=ゲームプレイの背景
JudgementAnimation=審判アニメ
BGM=BGM 音楽
ConvertScoresAndGrades=スコア/成績を変換する
RadarLimit=レーダーリミッタ
NTOption=ノートスキンオプション
#SCREEN OPTIONS THEME#


#SCREEN OPTIONS PLAYER STUFF#
ScreenFilter=レーン背景
ComboUnderField=判定表示の優先度
GuideLines=ガイドラインの表示
EXScore=EX SCORE
FastSlow=タイミング判定の表示
ShockArrows=鉱山コンボ
BPM=BPM同期
SpeedDisplay=ハイスピード同期
#SCREEN OPTIONS PLAYER STUFF#


#SCREEN OPTIONS STAGES#
Characters=キャラクター
Mate1=ダンサーメイト1
Mate2=ダンサーメイト2
Mate3=ダンサーメイト3
CutIns=CutIns
CharacterSync=キャラクター同期
BoomSync=BOOM同期
DiscoStars=DANCING RAYS同期
RMStage=ビデオステージの背景
CharaShadow=キャラクターシャドウ
VideoOverStage =ステージ上のビデオ
SNEnv=SN Environment

#SCREEN OPTIONS STAGES#

#SCREEN OPTIONS GRAPHICS/SOUNDS#
VideoRenderer=Video Renderer
VideoRendererSM5.3=Video Renderer
GlobalOffsetSeconds=Global Offset
#SCREEN OPTIONS GRAPHICS/SOUNDS#

[OptionExplanations]
#PLAYER OPTIONS#
Speed=
Accel=
AppearancePlus=
Turn=
Hide=
Scroll=
NoteSkins=
ArrowColor=
Cut=
Freeze=
Jump=
ArrowType=
DanceStage=
Gauge=
#PLAYER OPTIONS#


#SCREEN OPTIONS SERVICE#
CustomOptions=テーマのお気に入りのオプションをカスタマイズします。
#SCREEN OPTIONS SERVICE#

#SCREEN APPEARANCE OPTIONS#
EditorNoteSkin=EDIT MODEのデフォルトのノートスキンを選択します。
#SCREEN APPEARANCE OPTIONS#

#SCREEN CUSTOM OPTIONS#
OptionsTheme=Theme Options
OptionsPlayer=Player Options
OptionsStages=DanceStages Options
#SCREEN CUSTOM OPTIONS#


#SCREEN OPTIONS THEME#
Version=DDR A Saga のお気に入りのバージョンを選択してください。
Model=金/白筐体を変更します。
Logo=DDR AC版またはGRANDPRIX版のロゴを変更します。
GoldenLeague=Golden Leagueのドアとアニメーション。
DanCourse=段位認定の装飾を選択します。
GameplayBackground=Background: 背景の歌が聞こえます。\nDanceStages: ダンスステージ、キャラクターが登場します。\nSNCharacters: SNCharacters System (ビデオやカットイン).
JudgementAnimation=Normal: 審判の通常のアニメーション。\nSimple: アニメが表示されたり消えたりします。
BGM=Off: 音楽と評価BGMをオフに選択します。\nOn: 音楽と評価BGMをオンに選択します。
ConvertScoresAndGrades=YESの場合、SELECT MUSICに表示されるハイスコアとあらゆる場所での成績は、SuperNOVA 2 の同等のものに変換されます。 (これによって、実際に記録されたスコアや成績は変更されません。)
RadarLimit=SELECT MUSICでのGroove Radar値の制限を有効/無効にします。
NTOption=Off: SETTING OPTION内のすべてのノートスキン。\nOn: SchneiderAFXノートスキンのソートリスト (ACと同様)。
#SCREEN OPTIONS THEME#


#SCREEN OPTIONS PLAYER STUFF#
ScreenFilter=Off = 0% opacity. Dark = 35% opacity.\nDarker = 65% opacity. Darkest = 95% opacity.
ComboUnderField=判定優先: 矢印の上に判定とコンボ数が表示されます。\n矢印優先: 判定とコンボ数の上に矢印が表示されます。
GuideLines=ゲームプレイ中のガイドライン(両プレイヤー)。
EXScore=Display Normal Score or EXSCORE.
FastSlow=ゲームプレイと評価でFAST/SLOW判断を表示します。
ShockArrows=Off: Mines won't increase combo.\nOn: Mines will increase combo (+1 combo per mine).
BPM=Name: You will see your name during Gameplay.\nBPM:You will see the BPM of the song.
SpeedDisplay=PlayerOptionsでハイスピードの比較を表示するかどうかを選択します。
#SCREEN OPTIONS PLAYER STUFF#


#SCREEN OPTIONS STAGES#
Characters=Select your Character.
Mate1=DANCERMATE 1
Mate2=DANCERMATE 2
Mate3=DANCERMATE 3
CutIns=Character's CutIns during gameplay.
CharacterSync=Choose if you prefer that the BPM of the song affects the Character.\nOnly for BPM < 130
BoomSync=Choose your favorite sync style for Boom Speakers and Rings.
DiscoStars=Shining stars on Dancing Rays and Club stages.\nRequires PC resources!.
RMStage=Choose BG for video stages.\nRandom Movies Folder: DanceStages > StageMovies. \nRM Requires PC resources!.
CharaShadow=Character Shadow
VideoOverStage =Prioritize video playback over stages (Not applicable for video-compatible stages).
SNEnv=SN Environment
#SCREEN OPTIONS STAGES#

#SCREEN OPTIONS GRAPHICS/SOUNDS#
VideoRenderer=Choose a rendering backend. Depending on your OS, opengl may be the only option available here.d3d (Windows only) does not support some visual effects. Many "mod charts" (for example, content from TaroNuke) are visually unplayable when using d3d. You will need to restart SM5 if you change this for it to take effect.
VideoRendererSM5.3=Choose a rendering backend.\nopengl is the traditional OpenGL renderer.\nglad is a more modern OpenGL backend, but it is not supported by older video cards.\nYou will need to restart SM5 if you change this for it to take effect.
GlobalOffsetSeconds=Set the audio offset in milliseconds.\n\nNegative values cause the audio to be played earlier (late arrows), positive values cause audio playback to be late (early arrows).
VisualDelaySeconds=Subtract or add this many milliseconds of visual delay to gameplay.\n\nNegative values can be used to compensate for an LCD TV with a lot of "lag" or latency.

#SCREEN OPTIONS GRAPHICS/SOUNDS#

[OptionNames]
x0.25=x0.25
x0.5=x0.50
x0.75=x0.75
x1=x1
x1.25=x1.25
x1.5=x1.5
x1.75=x1.75
x2=x2
x2.25=x2.25
x2.5=x2.5
x2.75=x2.75
x3=x3
x3.25=x3.25
x3.5=x3.5
x3.75=x3.75
x4=x4
x4.25=x4.25
x4.5=x4.5
x4.75=x4.75
x5=x5
x5.25=x5.25
x5.5=x5.5
x5.75=x5.75
x6=x6
x6.25=x6.25
x6.5=x6.5
x6.75=x6.75
x7=x7
x7.25=x7.25
x7.5=x7.5
x7.75=x7.75
x8=x8

Off=OFF
Normal=NORMAL
Visible=VISIBLE
Sudden=SUDDEN
Stealth=STEALTH
Mirror=MIRROR
Left=LEFT
Flat=FLAT
Dark=DARK
Reverse=REVERSE
Filter=FILTER

1 Life=1 Life
4 Lives=4 Lives

[OptionItemNames]
Speed0=x0.25
Speed1=x0.5
Speed2=x0.75
Speed3=x1
Speed4=x1.25
Speed5=x1.5
Speed6=x1.75
Speed7=x2
Speed8=x2.25
Speed9=x2.5
Speed10=x2.75
Speed11=x3
Speed12=x3.25
Speed13=x3.5
Speed14=x3.75
Speed15=x4
Speed16=x4.25
Speed17=x4.5
Speed18=x4.75
Speed19=x5
Speed20=x5.25
Speed21=x5.5
Speed22=x5.75
Speed23=x6
Speed24=x6.25
Speed25=x6.5
Speed26=x6.75
Speed27=x7
Speed28=x7.25
Speed29=x7.5
Speed30=x7.75
Speed31=x8


Accel0=Normal
Accel1=Boost
Accel2=Brake
Accel3=Wave

AppearancePlus0=Visible
AppearancePlus1=Hidden
AppearancePlus2=Sudden
AppearancePlus3=Stealth
AppearancePlus4=Hidden+
AppearancePlus5=Sudden+
AppearancePlus6=HIDSUD+
AppearancePlus7=Constant

Turn0=Off
Turn1=Mirror
Turn2=Left
Turn3=Right
Turn4=Shuffle

Hide0=On
Hide1=Off

Scroll0=NORMAL
Scroll1=REVERSE

ArrowColor0=RAINBOW
ArrowColor1=NOTE
ArrowColor2=VIVID
ArrowColor3=FLAT
ArrowColor4=SMNOTE

ArrowType0=Normal
ArrowType1=Classic
ArrowType2=Cyber
ArrowType3=X
ArrowType4=Medium
ArrowType5=Small
ArrowType6=Dot

Freeze0=On
Freeze1=Off

Jump0=On
Jump1=Off

Cut0=Off
Cut1=On

ScreenFilter0=OFF
ScreenFilter1=DARK
ScreenFilter2=DARKER
ScreenFilter3=DARKEST

VisualDelaySeconds0=-5
VisualDelaySeconds1=-4
VisualDelaySeconds2=-3
VisualDelaySeconds3=-2
VisualDelaySeconds4=-1
VisualDelaySeconds5=0
VisualDelaySeconds6=1
VisualDelaySeconds7=2
VisualDelaySeconds8=3
VisualDelaySeconds9=4
VisualDelaySeconds10=5

TargetScore0=Off
TargetScore1=On

Gauge0=Normal
Gauge1=Flare I
Gauge2=Flare II
Gauge3=Flare III
Gauge4=Flare IV
Gauge5=Flare V
Gauge6=Flare VI
Gauge7=Flare VII
Gauge8=Flare VIII
Gauge9=Flare IX
Gauge10=Flare EX
Gauge11=Floating Flare
Gauge12=LIFE4
Gauge13=RISKY

[OptionItemExplanations]
Speed0=矢印の流れる速さ\nが0.25倍のスピードに\nなります。
Speed1=矢印の流れる速さ\nが0.5倍のスピードに\nなります。
Speed2=矢印の流れる速さ\nが0.75倍のスピードに\nなります。
Speed3=矢印の流れる速さ\nが通常のスピードに\nなります。
Speed4=矢印の流れる速さ\nが1.25倍のスピードに\nなります。
Speed5=矢印の流れる速さ\nが1.5倍のスピードに\nなります。
Speed6=矢印の流れる速さ\nが1.75倍のスピードに\nなります。
Speed7=矢印の流れる速さ\nが2倍のスピードに\nなります。
Speed8=矢印の流れる速さ\nが2.25倍のスピードに\nなります。
Speed9=矢印の流れる速さ\nが2.5倍のスピードに\nなります。
Speed10=矢印の流れる速さ\nが2.75倍のスピードに\nなります。
Speed11=矢印の流れる速さ\nが3倍のスピードに\nなります。
Speed12=矢印の流れる速さ\nが3.25倍のスピードに\nなります。
Speed13=矢印の流れる速さ\nが3.5倍のスピードに\nなります。
Speed14=矢印の流れる速さ\nが3.75倍のスピードに\nなります。
Speed15=矢印の流れる速さ\nが4倍のスピードに\nなります。
Speed16=矢印の流れる速さ\nが4.25倍のスピードに\nなります。
Speed17=矢印の流れる速さ\nが4.5倍のスピードに\nなります。
Speed18=矢印の流れる速さ\nが4.75倍のスピードに\nなります。
Speed19=矢印の流れる速さ\nが5倍のスピードに\nなります。
Speed20=矢印の流れる速さ\nが5.25倍のスピードに\nなります。
Speed21=矢印の流れる速さ\nが5.5倍のスピードに\nなります。
Speed22=矢印の流れる速さ\nが5.75倍のスピードに\nなります。
Speed23=矢印の流れる速さ\nが6倍のスピードに\nなります。
Speed24=矢印の流れる速さ\nが6.25倍のスピードに\nなります。
Speed25=矢印の流れる速さ\nが6.5倍のスピードに\nなります。
Speed26=矢印の流れる速さ\nが6.75倍のスピードに\nなります。
Speed27=矢印の流れる速さ\nが7倍のスピードに\nなります。
Speed28=矢印の流れる速さ\nが7.25倍のスピードに\nなります。
Speed29=矢印の流れる速さ\nが7.5倍のスピードに\nなります。
Speed30=矢印の流れる速さ\nが7.75倍のスピードに\nなります。
Speed31=矢印の流れる速さ\nが8倍のスピードに\nなります。

Accel0=スクロールの速度と\n同じ速さで矢印が流れます。
Accel1=ステップゾーンに近\nづくにつれてスクロールが\n速くなります。
Accel2=ステップゾーンに近\nづくにつれてスクロールが\n遅くなります。
Accel3=スクロールが速くな\nったり遅くなったりします。

AppearancePlus0=矢印が表示され\nたままになります。
AppearancePlus1=矢印の見え方に\n変化をつけることが\nできます。
AppearancePlus2=矢印の見え方に\n変化をつけることが\nできます。
AppearancePlus3=矢印が表示され\nません。
AppearancePlus4=スクロールの終わる\n方向からレーンカバーを\n表示します。
AppearancePlus5=スクロールの始まる\n方向からレーンカバーを\n表示します。
AppearancePlus6=画面上下から\nレーンカバーを\n表示します。
AppearancePlus7=矢印の表示時間\nを一定にします。

Turn0=通常の配置となります。
Turn1=通常の配置に対して\n180度回転した\n配置となります。
Turn2=通常の配置に対して\n左側に90度回転した\n配置となります。
Turn3=通常の配置に対して\n右側に90度回転した\n配置となります。
Turn4=配置がシャッフルされます。

Hide0=ステップゾーンは常に表示されます。
Hide1=ステップゾーンは表示されません。

Scroll0=画面下部から上方向\nに矢印が流れます。
Scroll1=画面上部から下方向\nに矢印が流れます。

ArrowColor0=RAINBOW
ArrowColor1=NOTE
ArrowColor2=VIVID
ArrowColor3=FLAT
ArrowColor4=SMNOTE

Freeze0=フリーズアロー\nを含んだステップ\nになります。
Freeze1=フリーズアロー\nが無くなります。

Jump0=同時踏みを\n含んだステップになります。
Jump1=同時踏みを\nなくします。

Cut0=通常のステップです。
Cut1=ステップが4分だけになります。
Cut2=ステップが4分と8分だけになります。

ScreenFilter0=フィルターを表示しません。
ScreenFilter1=背景にフィルターを\nかけて矢印を見やすくします。\n35% opacity.
ScreenFilter2=背景にフィルターを\nかけて矢印を見やすくします。\n65% opacity.
ScreenFilter3=背景にフィルターを\nかけて矢印を見やすくします。\n95% opacity.

ArrowType0=Normal
ArrowType1=Classic
ArrowType2=Cyber
ArrowType3=X
ArrowType4=Medium
ArrowType5=Small
ArrowType6=Dot

VisualDelaySeconds0=矢印の表示タイミングを変更します。\n入力がステップゾーンに対して遅れている\nと感じたらマイナス方向に調整して下さい。
VisualDelaySeconds1=矢印の表示タイミングを変更します。\n入力がステップゾーンに対して遅れている\nと感じたらマイナス方向に調整して下さい。
VisualDelaySeconds2=矢印の表示タイミングを変更します。\n入力がステップゾーンに対して遅れている\nと感じたらマイナス方向に調整して下さい。
VisualDelaySeconds3=矢印の表示タイミングを変更します。\n入力がステップゾーンに対して遅れている\nと感じたらマイナス方向に調整して下さい。
VisualDelaySeconds4=矢印の表示タイミングを変更します。\n入力がステップゾーンに対して遅れている\nと感じたらマイナス方向に調整して下さい。
VisualDelaySeconds5=矢印の表示タイミングを変更します。\n入力がステップゾーンに対して遅れている\nと感じたらマイナス方向に調整して下さい。
VisualDelaySeconds6=矢印の表示タイミングを変更します。\n入力がステップゾーンに対して遅れている\nと感じたらマイナス方向に調整して下さい。
VisualDelaySeconds7=矢印の表示タイミングを変更します。\n入力がステップゾーンに対して遅れている\nと感じたらマイナス方向に調整して下さい。
VisualDelaySeconds8=矢印の表示タイミングを変更します。\n入力がステップゾーンに対して遅れている\nと感じたらマイナス方向に調整して下さい。
VisualDelaySeconds9=矢印の表示タイミングを変更します。\n入力がステップゾーンに対して遅れている\nと感じたらマイナス方向に調整して下さい。
VisualDelaySeconds10=矢印の表示タイミングを変更します。\n入力がステップゾーンに対して遅れている\nと感じたらマイナス方向に調整して下さい。

TargetScore0=ターゲットスコアは表示されません。
TargetScore1=ターゲットスコアが表示されます。

GuideLinesType0=ガイドラインは非表示になります。
GuideLinesType1=ガイドラインはビートの中央に配置されます。
GuideLinesType2=ガイドラインはビートの境界を示します。

Gauge0=通常のライフゲージです。
Gauge1=ダンスゲージが回復せず、\nGREAT以下の評価で減少する\n上級者向けのオプションです。\n推奨score: 800,000.
Gauge2=ダンスゲージが回復せず、\nGREAT以下の評価で減少する\n上級者向けのオプションです。\n推奨score: 850,000.
Gauge3=ダンスゲージが回復せず、\nGREAT以下の評価で減少する\n上級者向けのオプションです。\n推奨score: 900,000.
Gauge4=ダンスゲージが回復せず、\nGREAT以下の評価で減少する\n上級者向けのオプションです。\n推奨score: 930,000.
Gauge5=ダンスゲージが回復せず、\nGREAT以下の評価で減少する\n上級者向けのオプションです。\n推奨score: 955,000.
Gauge6=ダンスゲージが回復せず、\nGREAT以下の評価で減少する\n上級者向けのオプションです。\n推奨score: 960,000.
Gauge7=ダンスゲージが回復せず、\nGREAT以下の評価で減少する\n上級者向けのオプションです。\n推奨score: 970,000.
Gauge8=ダンスゲージが回復せず、\nGREAT以下の評価で減少する\n上級者向けのオプションです。\n推奨score: 980,000.
Gauge9=ダンスゲージが回復せず、\nGREAT以下の評価で減少する\n上級者向けのオプションです。\n推奨score: 990,000.
Gauge10=ダンスゲージが回復せず、\nPERFECT以下の評価で減少する\n上級者向けのオプションです。\n推奨score: 995,000.
Gauge11=ダンスゲージが「FLARE EX」か\nら始まり、そのゲージが空になる\nと「FLARE I」になるまで段階式に\nダンスゲージが切り替わっていきます。
Gauge12=4回以上のMISS、NGの評価を得る\nと曲が中断します。\n上級者向けのオプションです。
Gauge13=一度でもMISS、NGの評価を得る\nと曲が中断します。

[CustomDifficulty]
Beginner=BEGINNER
Easy=BASIC
Medium=DIFFICULT
Hard=EXPERT
Challenge=CHALLENGE
Edit=EDIT DATA
Couple=COUPLE
Routine=ROUTINE

[MusicWheel]
TitleText=曲名から選ぶ
GenreText=ジャンル\nから選ぶ
GroupText=グループ\nから選ぶ
ArtistText=アーティスト\nから選ぶ
TopGradesText=クリアランク\nから選ぶ
BPMText=BPM\nから選ぶ
EasyMeterText=レベル\nから選ぶ
PopularityText=HIT CHARTS\nから選ぶ
LengthText=LENGTH\nから選ぶ
PreferredText=アーケードグループ\nから選ぶ

RecentText=最近プレイ\nから選ぶ
BeginnerMeterText=BEGINNERレベル
HardMeterText=EXPERTレベル
MediumMeterText=DIFFICULTレベル
Portal=PORTAL
Random=RANDOM
Roulette=ROULETTE
ChallengeMeterText=CHALLENGEレベル
SYSTEM=システムカテゴリー
GROUPTop=フォルダを開いて曲を選択してください!
GROUPBot=バージョン
CustomItemCrsText=Course
CourseText=COURSE MODE

[Stage]
1st=1st
2nd=2nd
3rd=3rd
4th=4th
5th=5th
6th=6th
Next=Next
Final=FINAL
Extra1=EXTRA
Extra2=ENCORE EXTRA
Nonstop=NONSTOP
Oni=CHALLENGE
Dan=段位認定
Endless=Endless
Event=EVENT
Demo=DEMO

[Headers]
Edit Courses=Edit Courses
Edit Steps=Edit Steps
Jukebox=Jukebox
Log In=Log In
Theme Options=Theme Options
Network Options=Network Options
Export Packages=Export Packages
Select Character=Select Character
Select Course=Select Course
Select Difficulty=Select Difficulty
Select Music=SELECT MUSIC
Select Style=SELECT STYLE
Set Time=Set Time
Summary=Summary
Test Input=Test Input
Results=RESULTS

[ScreenSelectStyle]
HelpText=
HeaderText=SELECT STYLE

[ScreenProfileSave]
Saving Profiles=
HeaderText=

[ScreenEditMenu]
HelpText=

[ScreenSyncOverlay]
AutoPlay=AutoPlay
AutoPlayCPU=
AutoSync Machine=AutoSync Machine
AutoSync Song=AutoSync Song
AutoSync Tempo=AutoSync Tempo
Can't sync while playing a course.=Can't sync while playing a course.
Sync changes reverted.=Sync changes reverted.
revert_sync_changes=Revert sync changes
change_bpm=Current BPM - smaller/larger
change_song_offset=Song offset - notes earlier/later
change_machine_offset=Machine offset - notes earlier/later
hold_alt=(hold Alt for smaller increment)
Old offset=Old offset
New offset=New offset
Collecting sample=Collecting sample
Standard deviation=Standard deviation


[Food]
Peanut=ピーナッツ
Orange=オレンジ
Grape=ブドウ
Kiwi=キウイ
Banana=バナナ
Egg=生卵
Apple=リンゴ
Milk=牛乳 (200g)
Onigiri=梅おにぎり
Pudding=プリン
Rice=ご飯 (150g)
Daifuku=大福
Creampuff=シュークリーム
Stew=ビーフシチュー
Cake=ケーキ
Karaage=唐揚げ (120g)
Tonkatsu=トンカツ (100g)
Pizza=ピザ
Pilaf=エビピラフ (200g)
Ramen=ラーメン
Chaahan=五目チャーハン (160g)
Cheeseburger=チーズバーガー
Carbonara=スパゲティカルボナーラ
Oyakodon=親子丼
Gyuudon=牛丼
Curryrice=ポークカレーライス
Omurice=オムライス
Hayashi=ハヤシライス
Katsudon=カツ丼

AC Score Tracker: DDR EXTREME // SN2 (JP)
My username in these games:
DDR(1st)-EXTREME: VRC
StepMania 3.9+ REDUX: VRC
DDR Supernova onwards / IIDX ID: VR0

Post #514 · Posted at 2025-05-02 11:56:45am 2.1 months ago

Offline piotr25691
piotr25691 Avatar Member
64 Posts
Poland
Reg. 2025-02-24

"I make DDR A3 better!"
Translate the lines about TARGET SCORE and GUIDELINES as well, if you can.

Post #515 · Posted at 2025-05-02 04:42:49pm 2.1 months ago

Offline MattMayuga
MattMayuga Avatar Member
15 Posts
Not Set
Reg. 2023-02-14

I wonder if it will be possible to use custom judgment and combo fonts?
https://i.postimg.cc/dQmwbTw6/ZIVSignature2.png
秋月律子P、天海春香P、如月千早P/アイマス ファン/DanceDanceRevolutionダンサー

Post #516 · Posted at 2025-05-02 08:11:00pm 2.1 months ago

Offline piotr25691
piotr25691 Avatar Member
64 Posts
Poland
Reg. 2025-02-24

"I make DDR A3 better!"
Not from me. My theme targets arcade and does not contain any customization not present in arcade versions of DDR A3.

Post #517 · Posted at 2025-05-03 12:02:12am 2.1 months ago

Offline VR0
VR0 Avatar Member
992 Posts
Chile
Reg. 2012-03-20

Nintendo Switch Friend Code: SW-2602-0918-1312
"ムーン ゴーシュス メヂィデーション"

Last updated: 2025-05-03 02:48am
Quote: VR0
(code in post 513)
Retraslated

Updated english text!!!

This text is in (theme)/languages/en.ini, based in DDR WORLD UI:
[Common]
WindowTitle=Dance Dance Revolution A3

[Screen]
HelpText=&BACK; Exit &START; Select &SELECT; Options &MENULEFT;&MENURIGHT;&MENUUP;&MENUDOWN; Move

[ScreenWithMenuElements]
HelpText=&BACK; Exit &START; Select &MENULEFT;&MENURIGHT; Move
StageCounter=%s STAGE
EventStageCounter=STAGE %03i
HelpTextOptionsAndBack=&MENUUP;&MENUDOWN; line &MENULEFT;&MENURIGHT; change &START; choose &BACK; discard

[ScreenTitleMenu]
HelpText=&BACK; Exit &START; Select &MENUUP;&MENUDOWN; Move
Network OK=ONLINE
Offline=ONLINE
Connected to %s=Connected to %s
CurrentGametype=Current Gametype: %s
LifeDifficulty=Life Difficulty: %s
TimingDifficulty=Timing Difficulty: %s
%i Songs (%i Groups), %i Courses=%i Songs (%i Groups), %i Courses
GAME MODE=GAME MODE
TRAINING MODE=TRAINING MODE
EDIT MODE=EDIT MODE
OPTIONS=OPTIONS
EXIT=EXIT


[ScreenTitleJoin]
HelpText=Press &START; to Play
HelpTextJoin=Press &START; to Play
HelpTextWait=Insert Credits...
EventMode=Event Mode
JointPremiumMain=Joint Premium
JointPremiumSecondary=Two players can play with one credit!
DoublesPremiumMain=Doubles Premium
DoublesPremiumSecondary=Play doubles for one credit!

[ScreenDemonstration]
Demonstration=Demonstration
%s - %s [from %s]=%s - %s\n[from %s]

[ScreenProfileLoad]
HelpText=... Loading profiles, please wait ...

[ScreenSelectProfile]
%d Song Played=%d Song Played
%d Songs Played=%d Songs Played
PressStart=Press &START; to join.
HelpText=&MENUUP;&MENUDOWN; Switch Profile &START; Choose/Join &BACK; Unselect
HelpTextCard=Press the&START;button to begin.
HeaderText=LOGIN

HelpText=Select with&MENULEFT;&MENURIGHT;\nConfirm with the&START;button
NotSetWeight=NotSetWeight
ConfiguredWeight=★★★.★ kg
SetCharacter=Choose your dancer.
NoCharacter=Blank
SetWeight=Set your weight.
WeightExplanation=Weight settings are required for\naccurate calorie display.\nWeight will not be displayed.
WeightExplanation2=You can change the weight that you\npreviously entered.\nWeight will not be displayed.

[ScreenSelectMaster]
HelpText=&BACK; Exit &START; Select / Join &MENULEFT;&MENURIGHT; Move

[ScreenSelectPlayMode]
HeaderText=SELECT MODE
HelpText=
EasyExplanation=A mode for beginners.
HardExplanation=For experts.
OldNormalExplanation=Not too easy, not too hard.
NormalExplanation=Play all your favorite songs!
RaveExplanation=Battle against friend or foe.
NonstopExplanation=Several Songs in a row
OniExplanation=A true test of skill.
EndlessExplanation=It don't stop, it keep rollin'.

[ScreenSelectPlayCourseMode]
HelpText=
HeaderText=SELECT COURSE MODE

[ScreenSelectPlayStyle]
HelpText=


[ScreenGameInformation]
HelpText=&BACK; Exit &START; Skip

[ScreenSelectMusic]
NEW!=NEW!
Press Start For Options=Press &START; for Options
Entering Options=Entering Options
HelpText=
AlternateHelpText=
HeaderText=SELECT MUSIC

[ScreenSortList]
BeginnerMeter=BEGINNER SORT
EasyMeter=BASIC SORT
MediumMeter=DIFFICULT SORT
HardMeter=EXPERT SORT
ChallengeMeter=CHALLENGE SORT
Group=VERSION
Title=ABC
Artist=ARTISTS
Genre=GENRE
BPM=BPM
TopGrades=TOP GRADES
Popularity=POPULARITY

[ScreenSelectCourse]
HelpText=
HeaderText=SELECT COURSE

[ScreenOptions]
HelpText=&BACK; Exit &START; Choose &SELECT; Go Up &MENULEFT;&MENURIGHT;&MENUUP;&MENUDOWN; Move
Disqualified=Score will be disqualified!

[ScreenOptionsServiceChild]
HelpText=PRESS P1 LEFT/RIGHT BUTTON = SELECT ITEM\nPRESS P1 START BUTTON = EXECUTE

[ScreenOptionsService]
HelpText=PRESS P1 LEFT/RIGHT BUTTON = SELECT ITEM\nPRESS P1 START BUTTON = EXECUTE

[ScreenStageInformation]
BestScore=Best
TargetScore=Target

[ScreenEvaluation]
HeaderText=RESULTS

[ScreenEvaluationSummary]
HeaderText=TOTAL RESULTS

[OptionTitles]
#PLAYER OPTIONS#
Speed=HI-SPEED
Accel=SCROLL ACTION
AppearancePlus=ARROW APPEARANCE
Turn=ARROW PLACEMENT
Hide=STEP ZONE
Scroll=SCROLL DIRECTION
NoteSkins=ARROW DESIGN
ArrowColor=ARROW COLORING
Cut=TIMING CUT
Freeze=FREEZE ARROW
Jump=JUMPS
ArrowType=ARROW DESIGN
DanceStage=DANCESTAGE
VisualDelaySeconds=DISPLAY TIMING
TargetScore=TARGET SCORE
GuideLinesType=GUIDELINES
Gauge=GAUGE
#PLAYER OPTIONS#


#SCREEN OPTIONS SERVICE#
Input Options=Input Options
CustomOptions=Custom Options
I/O Check=I/O CHECK
Screen Check=SCREEN CHECK
Sound Options=SOUND OPTIONS
Game Options=GAME OPTIONS
Game Mode=GAME MODE
Arcade Options=ARCADE OPTIONS
Bookkeeping=BOOKKEEPING
Padding=
#SCREEN OPTIONS SERVICE#


#SCREEN APPEARANCE OPTIONS#
EditorNoteSkin=Editor NoteSkin
#SCREEN APPEARANCE OPTIONS#

#SCREEN CUSTOM OPTIONS#
OptionsTheme=Theme Options
OptionsPlayer=Player Options
OptionsStages=DanceStages Options
#SCREEN CUSTOM OPTIONS#


#SCREEN OPTIONS THEME#
Version=Version
Model=MODEL
Logo=LOGO
GoldenLeague=GOLDEN LEAGUE
DanCourse=CLASS
GameplayBackground=GAMEPLAY BACKGROUND
JudgementAnimation=JUDGEMENT ANIMATION
BGM=BG Music
ConvertScoresAndGrades=Convert Scores/Grades
RadarLimit=Radar Limiter
NTOption=NoteSkins option
#SCREEN OPTIONS THEME#


#SCREEN OPTIONS PLAYER STUFF#
ScreenFilter=LANE BACKGROUND
ComboUnderField=JUDGEMENT LAYER
GuideLines=GUIDELINES
EXScore=EX SCORE
FastSlow=FAST/SLOW DISPLAY
ShockArrows=MINES COMBO
BPM=BPM DISPLAY
SpeedDisplay=HI-SPEED DISPLAY
#SCREEN OPTIONS PLAYER STUFF#


#SCREEN OPTIONS STAGES#
Characters=CHARACTER
Mate1=DANCERMATE 1
Mate2=DANCERMATE 2
Mate3=DANCERMATE 3
CutIns=CutIns
CharacterSync=CHARACTER SYNC
BoomSync=BOOM SYNC
DiscoStars=DANCING RAYS STARS
RMStage=VIDEOSTAGES BACKGROUND
Region=Region
CharaShadow=Character Shadow
VideoOverStage =Video Over Stage
SNEnv=SN Environment

#SCREEN OPTIONS STAGES#

#SCREEN OPTIONS GRAPHICS/SOUNDS#
VideoRenderer=Video Renderer
VideoRendererSM5.3=Video Renderer
GlobalOffsetSeconds=Global Offset
#SCREEN OPTIONS GRAPHICS/SOUNDS#

[OptionExplanations]
#PLAYER OPTIONS#
Speed=
Accel=
AppearancePlus=
Turn=
Hide=
Scroll=
NoteSkins=
ArrowColor=
Cut=
Freeze=
Jump=
ArrowType=
DanceStage=
TargetScore=
GuideLinesType=
Gauge=
#PLAYER OPTIONS#


#SCREEN OPTIONS SERVICE#
CustomOptions=Customize your favorite options for the theme.
I/O Check=
Screen Check=
Sound Options=
Game Options=
Event Mode=
Game Mode=
Padding=
#SCREEN OPTIONS SERVICE#

#SCREEN APPEARANCE OPTIONS#
EditorNoteSkin=Select the default noteskin for Edit Mode.
#SCREEN APPEARANCE OPTIONS#

#SCREEN CUSTOM OPTIONS#
OptionsTheme=Theme Options
OptionsPlayer=Player Options
OptionsStages=DanceStages Options
#SCREEN CUSTOM OPTIONS#


#SCREEN OPTIONS THEME#
Version=Select your favorite version of the DDR A Saga.
Model=Change Gold/White cab model.
Logo=Change the logo from DDR AC version or GRANDPRIX version.
GoldenLeague=GoldenLeague doors and animations.
DanCourse=Select your DanCourse decoration.
GameplayBackground=Background: You will have the Background's Song.\nDanceStages: You will have DanceStages, Characters.\nSNCharacters: SNCharacters System (Videos and/or Cut-Ins).
JudgementAnimation=Normal: Normal animation of Judgements.\nSimple: The Animation will show and disappear.
BGM=Off: SelectMusic and Evaluation BGM Off.\nOn: SelectMusic and Evaluation BGM On.
ConvertScoresAndGrades=If YES, high scores displayed in Select Music and grades everywhere will be converted to their SuperNOVA 2 equivalent. (This does not change the actual recorded score or grade.)
RadarLimit=Enables/Disables the limiting of Groove Radar values on Music Select.
NTOption=Off: All NoteSkins in PlayerOptions.\nOn: SchneiderAFX NoteSkins SortList (Similar to the AC).
#SCREEN OPTIONS THEME#


#SCREEN OPTIONS PLAYER STUFF#
ScreenFilter=Off = 0% opacity. Dark = 35% opacity.\nDarker = 65% opacity. Darkest = 95% opacity.
ComboUnderField=Background: Combo and Judgements behind the arrows.\nForeground: Combo and Judgements in front of the arrows.
GuideLines=GuideLines during Gameplay (Both players).
EXScore=Display Normal Score or EXSCORE.
FastSlow=Show Fast/Slow Judgements in Gameplay and Evaluation.
ShockArrows=Off: Mines won't increase combo.\nOn: Mines will increase combo (+1 combo per mine).
BPM=Name: You will see your name during Gameplay.\nBPM:You will see the BPM of the song.
SpeedDisplay=Choose if you want to see the speed comparation in PlayerOptions.
#SCREEN OPTIONS PLAYER STUFF#


#SCREEN OPTIONS STAGES#
Characters=Select your Character.
Mate1=DANCERMATE 1
Mate2=DANCERMATE 2
Mate3=DANCERMATE 3
CutIns=Character's CutIns during gameplay.
CharacterSync=Choose if you prefer that the BPM of the song affects the Character.\nOnly for BPM < 130
BoomSync=Choose your favorite sync style for Boom Speakers and Rings.
DiscoStars=Shining stars on Dancing Rays and Club stages.\nRequires PC resources!.
RMStage=Choose BG for video stages.\nRandom Movies Folder: DanceStages > StageMovies. \nRM Requires PC resources!.
CharaShadow=Character Shadow
VideoOverStage =Prioritize video playback over stages (Not applicable for video-compatible stages).
SNEnv=SN Environment
Region=Select your player region.
#SCREEN OPTIONS STAGES#

#SCREEN OPTIONS GRAPHICS/SOUNDS#
VideoRenderer=Choose a rendering backend. Depending on your OS, opengl may be the only option available here.d3d (Windows only) does not support some visual effects. Many "mod charts" (for example, content from TaroNuke) are visually unplayable when using d3d. You will need to restart SM5 if you change this for it to take effect.
VideoRendererSM5.3=Choose a rendering backend.\nopengl is the traditional OpenGL renderer.\nglad is a more modern OpenGL backend, but it is not supported by older video cards.\nYou will need to restart SM5 if you change this for it to take effect.
GlobalOffsetSeconds=Set the audio offset in milliseconds.\n\nNegative values cause the audio to be played earlier (late arrows), positive values cause audio playback to be late (early arrows).
VisualDelaySeconds=Subtract or add this many milliseconds of visual delay to gameplay.\n\nNegative values can be used to compensate for an LCD TV with a lot of "lag" or latency.

#SCREEN OPTIONS GRAPHICS/SOUNDS#

[OptionNames]
x0.25=x0.25
x0.5=x0.50
x0.75=x0.75
x1=x1
x1.25=x1.25
x1.5=x1.5
x1.75=x1.75
x2=x2
x2.25=x2.25
x2.5=x2.5
x2.75=x2.75
x3=x3
x3.25=x3.25
x3.5=x3.5
x3.75=x3.75
x4=x4
x4.25=x4.25
x4.5=x4.5
x4.75=x4.75
x5=x5
x5.25=x5.25
x5.5=x5.5
x5.75=x5.75
x6=x6
x6.25=x6.25
x6.5=x6.5
x6.75=x6.75
x7=x7
x7.25=x7.25
x7.5=x7.5
x7.75=x7.75
x8=x8

Off=OFF
Visible=VISIBLE
Sudden=SUDDEN
Stealth=STEALTH
Mirror=MIRROR
Left=LEFT
Flat=FLAT
Dark=DARK
Reverse=REVERSE
Filter=FILTER

1 Life=1 Life
4 Lives=4 Lives

[OptionItemNames]
Speed0=x0.25
Speed1=x0.5
Speed2=x0.75
Speed3=x1
Speed4=x1.25
Speed5=x1.5
Speed6=x1.75
Speed7=x2
Speed8=x2.25
Speed9=x2.5
Speed10=x2.75
Speed11=x3
Speed12=x3.25
Speed13=x3.5
Speed14=x3.75
Speed15=x4
Speed16=x4.25
Speed17=x4.5
Speed18=x4.75
Speed19=x5
Speed20=x5.25
Speed21=x5.5
Speed22=x5.75
Speed23=x6
Speed24=x6.25
Speed25=x6.5
Speed26=x6.75
Speed27=x7
Speed28=x7.25
Speed29=x7.5
Speed30=x7.75
Speed31=x8

Accel0=Normal
Accel1=Boost
Accel2=Brake
Accel3=Wave

AppearancePlus0=Visible
AppearancePlus1=Hidden
AppearancePlus2=Sudden
AppearancePlus3=Stealth
AppearancePlus4=Hidden+
AppearancePlus5=Sudden+
AppearancePlus6=HIDSUD+
AppearancePlus7=Constant

Turn0=Off
Turn1=Mirror
Turn2=Left
Turn3=Right
Turn4=Shuffle

Hide0=On
Hide1=Off

Scroll0=standard
Scroll1=Reverse

ArrowColor0=RAINBOW
ArrowColor1=NOTE
ArrowColor2=VIVID
ArrowColor3=FLAT
ArrowColor4=SMNOTE

ArrowType0=Normal
ArrowType1=Classic
ArrowType2=Cyber
ArrowType3=X
ArrowType4=Medium
ArrowType5=Small
ArrowType6=Dot

Freeze0=On
Freeze1=Off

Jump0=On
Jump1=Off

Cut0=Off
Cut1=On

ScreenFilter0=OFF
ScreenFilter1=DARK
ScreenFilter2=DARKER
ScreenFilter3=DARKEST

VisualDelaySeconds0=-5
VisualDelaySeconds1=-4
VisualDelaySeconds2=-3
VisualDelaySeconds3=-2
VisualDelaySeconds4=-1
VisualDelaySeconds5=0
VisualDelaySeconds6=1
VisualDelaySeconds7=2
VisualDelaySeconds8=3
VisualDelaySeconds9=4
VisualDelaySeconds10=5

TargetScore0=Off
TargetScore1=On

GuideLinesType0=OFF
GuideLinesType1=CENTER
GuideLinesType2=BORDER

Gauge0=Normal
Gauge1=Flare I
Gauge2=Flare II
Gauge3=Flare III
Gauge4=Flare IV
Gauge5=Flare V
Gauge6=Flare VI
Gauge7=Flare VII
Gauge8=Flare VIII
Gauge9=Flare IX
Gauge10=Flare EX
Gauge11=Floating Flare
Gauge12=LIFE4
Gauge13=RISKY

[OptionItemExplanations]
Speed0=Arrows SPEED\nx0.25.
Speed1=Arrows SPEED\nx0.5.
Speed2=Arrows SPEED\nx0.75.
Speed3=Arrows SPEED\nx1.0.
Speed4=Arrows SPEED\nx1.25.
Speed5=Arrows SPEED\nx1.5.
Speed6=Arrows SPEED\nx1.75.
Speed7=Arrows SPEED\nx2.0.
Speed8=Arrows SPEED\nx2.25.
Speed9=Arrows SPEED\nx2.5.
Speed10=Arrows SPEED\nx2.75.
Speed11=Arrows SPEED\nx3.0.
Speed12=Arrows SPEED\nx3.25.
Speed13=Arrows SPEED\nx3.5.
Speed14=Arrows SPEED\nx3.75.
Speed15=Arrows SPEED\nx4.0.
Speed16=Arrows SPEED\nx4.25.
Speed17=Arrows SPEED\nx4.5.
Speed18=Arrows SPEED\nx4.75.
Speed19=Arrows SPEED\nx5.0.
Speed20=Arrows SPEED\nx5.25.
Speed21=Arrows SPEED\nx5.5.
Speed22=Arrows SPEED\nx5.75.
Speed23=Arrows SPEED\nx6.0.
Speed24=Arrows SPEED\nx6.25.
Speed25=Arrows SPEED\nx6.5.
Speed26=Arrows SPEED\nx6.75.
Speed27=Arrows SPEED\nx7.0.
Speed28=Arrows SPEED\nx7.25.
Speed29=Arrows SPEED\nx7.5.
Speed30=Arrows SPEED\nx7.75.
Speed31=Arrows SPEED\nx8.0.

Accel0=The arrows flow \nin the same speed.
Accel1=The arrows accelerate.
Accel2=The arrows decelerate.
Accel3=The arrows flow \nup and down\nlike jellyfish.

AppearancePlus0=Arrows will appear.
AppearancePlus1=Arrows will suddenly disappear.
AppearancePlus2=Arrows will suddenly appear.
AppearancePlus3=Arrows will not appear.
AppearancePlus4=Arrows will be obscured by lane cover appearing\nfrom the top of the screen.
AppearancePlus5=Arrows will be obscured by lane cover appearing\nfrom the bottom of the screen.
AppearancePlus6=Arrows will be obscured by lane covers from the top and bottom of the screen.
AppearancePlus7=Arrows will remain on screen for a constant value.

Turn0=Steps remain \nin their original pattern.
Turn1=Steps are rotated\n180 degrees.
Turn2=Arrows are rotated\n90 degrees\ncounter-clockwise.
Turn3=Arrows are rotated \n90 degrees clockwise.
Turn4=Direction of steps is\nshuffled at random.

Hide0=The Step Zone will be visible at all times.
Hide1=The Step Zone will \nnot be visible.

Scroll0=Arrows flow from \nbottom to top.
Scroll1=Arrows flow \nfrom top to bottom.

ArrowColor0=RAINBOW
ArrowColor1=NOTE
ArrowColor2=VIVID
ArrowColor3=FLAT
ArrowColor4=SMNOTE

Freeze0=The step data sequence \nwill include\nthe FREEZE ARROWS.
Freeze1=The step data sequence \nwill omit\nthe FREEZE ARROWS.

Jump0=Includes\nsimultaneous steps.
Jump1=Remove\nsimultaneous steps.

Cut0=Normal steps.
Cut1=Steps will appear \nin four beat timing.

ScreenFilter0=Filter visible 0%.
ScreenFilter1=Filter visible at 35%.
ScreenFilter2=Filter visible at 65%.
ScreenFilter3=Filter visible at 95%.

ArrowType0=Normal
ArrowType1=Classic
ArrowType2=Cyber
ArrowType3=X
ArrowType4=Medium
ArrowType5=Small
ArrowType6=Dot

VisualDelaySeconds0=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.
VisualDelaySeconds1=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.
VisualDelaySeconds2=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.
VisualDelaySeconds3=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.
VisualDelaySeconds4=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.
VisualDelaySeconds5=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.
VisualDelaySeconds6=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.
VisualDelaySeconds7=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.
VisualDelaySeconds8=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.
VisualDelaySeconds9=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.
VisualDelaySeconds10=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.

TargetScore0=TARGET SCORE will not be shown.
TargetScore1=TARGET SCORE will be shown.

GuideLinesType0=Guide lines will be hidden.
GuideLinesType1=Guide lines will be centered on the beat.
GuideLinesType2=Guide lines will mark beat boundaries.

Gauge0=Standard dance gauge.
Gauge1=A flare dance gauge that does not recover and decreases with each GREAT or poor (or N.G.).\nRec. score: 800,000.
Gauge2=A flare dance gauge that does not recover and decreases with each GREAT or poor (or N.G.).\nRec. score: 850,000.
Gauge3=A flare dance gauge that does not recover and decreases with each GREAT or poor (or N.G.).\nRec. score: 900,000.
Gauge4=A flare dance gauge that does not recover and decreases with each GREAT or poor (or N.G.).\nRec. score: 930,000.
Gauge5=A flare dance gauge that does not recover and decreases with each GREAT or poor (or N.G.).\nRec. score: 955,000.
Gauge6=A flare dance gauge that does not recover and decreases with each GREAT or poor (or N.G.).\nRec. score: 960,000.
Gauge7=A flare dance gauge that does not recover and decreases with each GREAT or poor (or N.G.).\nRec. score: 970,000.
Gauge8=A flare dance gauge that does not recover and decreases with each GREAT or poor (or N.G.).\nRec. score: 980,000.
Gauge9=A flare dance gauge that does not recover and decreases with each GREAT or poor (or N.G.).\nRec. score: 990,000.
Gauge10=A flare dance gauge that does not recover and decreases with each PERFECT or poor (or N.G.).\nRec. score: 995,000.
Gauge11=This gauge starts at FLARE EX and when that gauge is empty, it switches to a gauge of a lower level until it reaches FLARE I.
Gauge12=Game ends with 4 or\nmore MISS and N.G.\nOption for advanced players.
Gauge13=Even once you get MISS or N.G.\ngame ends.


[CustomDifficulty]
Beginner=BEGINNER
Easy=BASIC
Medium=DIFFICULT
Hard=EXPERT
Challenge=CHALLENGE
Edit=EDIT DATA
Couple=COUPLE
Routine=ROUTINE

[MusicWheel]
TitleText=Choose by SONG TITLE.
GenreText=Choose from GENRE.
GroupText=Choose by GROUP.
ArtistText=Choose by ARTIST.
TopGradesText=Choose by CLEAR RANK.
BPMText=Choose by BPM.
EasyMeterText=Choose by LEVEL.
PopularityText=Choose from HIT CHARTS.
LengthText=Choose by LENGTH.
PreferredText=Choose by ARCADE GROUP.

RecentText=Choose by played RECENTLY.
BeginnerMeterText=BEGINNER DIFFICULTY
HardMeterText=EXPERT DIFFICULTY
MediumMeterText=DIFFICULT DIFFICULTY
Portal=PORTAL
Random=RANDOM
Roulette=ROULETTE
ChallengeMeterText=CHALLENGE DIFFICULTY
SYSTEM=SYSTEM CATEGORY
GROUPTop=Open the folder and select a song!
GROUPBot=VERSION
CustomItemCrsText=Course
CustomItemCourseText=COURSE MODE

[Stage]
1st=1st
2nd=2nd
3rd=3rd
4th=4th
5th=5th
6th=6th
Next=Next
Final=FINAL
Extra1=EXTRA
Extra2=ENCORE EXTRA
Nonstop=NONSTOP
Oni=CHALLENGE
Endless=Endless
Event=EVENT
Demo=DEMO

[Headers]
Edit Courses=Edit Courses
Edit Steps=Edit Steps
Jukebox=Jukebox
Log In=Log In
Theme Options=Theme Options
Network Options=Network Options
Export Packages=Export Packages
Select Character=Select Character
Select Course=Select Course
Select Difficulty=Select Difficulty
Select Music=SELECT MUSIC
Select Style=SELECT STYLE
Set Time=Set Time
Summary=Summary
Test Input=Test Input
Results=RESULTS

[ScreenSelectStyle]
HelpText=
HeaderText=SELECT STYLE

[ScreenProfileSave]
Saving Profiles=
HeaderText=

[ScreenEditMenu]
HelpText=

[ScreenSyncOverlay]
AutoPlay=AutoPlay turned on, score will not be saved.
AutoPlayCPU=AutoPlayCPU turned on, score will not be saved.
AutoSync Machine=AutoSync Machine
AutoSync Song=AutoSync Song
AutoSync Tempo=AutoSync Tempo
Can't sync while playing a course.=Can't sync while playing a course.
Sync changes reverted.=Sync changes reverted.
revert_sync_changes=Revert sync changes
change_bpm=Current BPM - smaller/larger
change_song_offset=Song offset - notes earlier/later
change_machine_offset=Machine offset - notes earlier/later
hold_alt=(hold Alt for smaller increment)
Old offset=Old offset
New offset=New offset
Collecting sample=Collecting sample
Standard deviation=Standard deviation

[Food]
Peanut=Peanut
Orange=Orange
Grape=Grapes
Kiwi=Kiwi
Banana=Banana
Egg=Raw egg
Apple=Apple
Milk=Cow's milk (200g)
Onigiri=Ume onigiri
Pudding=Pudding
Rice=Rice (150g)
Daifuku=Daifuku
Creampuff=Cream puff
Stew=Beef stew
Cake=Cake
Karaage=Karaage (120g)
Tonkatsu=Tonkatsu (100g)
Pizza=Pizza
Pilaf=Shrimp pilaf (200g)
Ramen=Ramen
Chaahan=Gomoku chaahan (160g)
Cheeseburger=Cheeseburger
Carbonara=Spaghetti carbonara
Oyakodon=Oyakodon
Gyuudon=Gyuudon
Curryrice=Pork curry rice
Omurice=Omurice
Hayashi=Hayashi rice
Katsudon=Katsudon


Changes:
SPEED renamed to HI-SPEED to match with other Bemani Games
ARROW MOVE renamed to SCROLL ACTION
Replace BREAK's info that is misspelled as accelerate instead of decelerate
APPEARANCE renamed to ARROW APPEARANCE
HIDDEN+&SUDDEN+ renamed to HIDSUD+
TURN renamed to ARROW PLACEMENT
SCROLL renamed to SCROLL DIRECTION
Added all missed FLARE gauge's information
ARROW renamed to ARROW DESIGN
ARROW COLOR renamed to ARROW COLORING
CUT renamed to TIMING CUT to match with the japanese text
SPECIAL ARROW renamed to ARROW DESIGN
SCREEN FILTER renamed to LANE BACKGROUND
FAST/SLOW renamed to FAST/SLOW DISPLAY
Deleted information of ARROW COLORs and ARROW Design
AC Score Tracker: DDR EXTREME // SN2 (JP)
My username in these games:
DDR(1st)-EXTREME: VRC
StepMania 3.9+ REDUX: VRC
DDR Supernova onwards / IIDX ID: VR0

Post #518 · Posted at 2025-05-03 01:13:17pm 2.1 months ago

Offline MattMayuga
MattMayuga Avatar Member
15 Posts
Not Set
Reg. 2023-02-14

Slight revision to the English text with some improvements:

[Common]
WindowTitle=Dance Dance Revolution A3

[Screen]
HelpText=&BACK; Exit &START; Select &SELECT; Options &MENULEFT;&MENURIGHT;&MENUUP;&MENUDOWN; Move

[ScreenWithMenuElements]
HelpText=&BACK; Exit &START; Select &MENULEFT;&MENURIGHT; Move
StageCounter=%s STAGE
EventStageCounter=STAGE %03i
HelpTextOptionsAndBack=&MENUUP;&MENUDOWN; line &MENULEFT;&MENURIGHT; change &START; choose &BACK; discard

[ScreenTitleMenu]
HelpText=&BACK; Exit &START; Select &MENUUP;&MENUDOWN; Move
Network OK=ONLINE
Offline=ONLINE
Connected to %s=Connected to %s
CurrentGametype=Current Gametype: %s
LifeDifficulty=Life Difficulty: %s
TimingDifficulty=Timing Difficulty: %s
%i Songs (%i Groups), %i Courses=%i Songs (%i Groups), %i Courses
GAME MODE=GAME MODE
TRAINING MODE=TRAINING MODE
EDIT MODE=EDIT MODE
OPTIONS=OPTIONS
EXIT=EXIT


[ScreenTitleJoin]
HelpText=Press &START; to Play
HelpTextJoin=Press &START; to Play
HelpTextWait=Insert Credits...
EventMode=Event Mode
JointPremiumMain=Joint Premium
JointPremiumSecondary=Two players can play with one credit!
DoublesPremiumMain=Doubles Premium
DoublesPremiumSecondary=Play doubles for one credit!

[ScreenDemonstration]
Demonstration=Demonstration
%s - %s [from %s]=%s - %s\n[from %s]

[ScreenProfileLoad]
HelpText=... Loading profiles, please wait ...

[ScreenSelectProfile]
%d Song Played=%d Song Played
%d Songs Played=%d Songs Played
PressStart=Press &START; to join.
HelpText=&MENUUP;&MENUDOWN; Switch Profile &START; Choose/Join &BACK; Unselect
HelpTextCard=Press the&START;button to begin.
HeaderText=LOGIN

HelpText=Select with&MENULEFT;&MENURIGHT;\nConfirm with the&START;button
NotSetWeight=NotSetWeight
ConfiguredWeight=★★★.★ kg
SetCharacter=Choose your dancer.
NoCharacter=Blank
SetWeight=Set your weight.
WeightExplanation=Weight settings are required for\naccurate calorie display.\nWeight will not be displayed.
WeightExplanation2=You can change the weight that you\npreviously entered.\nWeight will not be displayed.

[ScreenSelectMaster]
HelpText=&BACK; Exit &START; Select / Join &MENULEFT;&MENURIGHT; Move

[ScreenSelectPlayMode]
HeaderText=SELECT MODE
HelpText=

[ScreenSelectPlayCourseMode]
HelpText=
HeaderText=SELECT COURSE MODE

[ScreenSelectPlayStyle]
HelpText=


[ScreenGameInformation]
HelpText=&BACK; Exit &START; Skip

[ScreenSelectMusic]
NEW!=NEW!
Press Start For Options=Press &START; for Options
Entering Options=Entering Options
HelpText=
AlternateHelpText=
HeaderText=SELECT MUSIC

[ScreenSortList]
BeginnerMeter=BEGINNER SORT
EasyMeter=BASIC SORT
MediumMeter=DIFFICULT SORT
HardMeter=EXPERT SORT
ChallengeMeter=CHALLENGE SORT
Group=VERSION
Title=ABC
Artist=ARTISTS
Genre=GENRE
BPM=BPM
TopGrades=TOP GRADES
Popularity=POPULARITY

[ScreenSelectCourse]
HelpText=
HeaderText=SELECT COURSE

[ScreenOptions]
HelpText=&BACK; Exit &START; Choose &SELECT; Go Up &MENULEFT;&MENURIGHT;&MENUUP;&MENUDOWN; Move
Disqualified=Score will be disqualified!

[ScreenOptionsServiceChild]
HelpText=PRESS P1 LEFT/RIGHT BUTTON = SELECT ITEM\nPRESS P1 START BUTTON = EXECUTE

[ScreenOptionsService]
HelpText=PRESS P1 LEFT/RIGHT BUTTON = SELECT ITEM\nPRESS P1 START BUTTON = EXECUTE

[ScreenStageInformation]
BestScore=Best
TargetScore=Target

[ScreenEvaluation]
HeaderText=RESULTS

[ScreenEvaluationSummary]
HeaderText=TOTAL RESULTS

[OptionTitles]
#PLAYER OPTIONS#
Speed=HI-SPEED
Accel=SCROLL ACTION
AppearancePlus=ARROW APPEARANCE
Turn=ARROW PLACEMENT
Hide=STEP ZONE
Scroll=SCROLL DIRECTION
NoteSkins=ARROW DESIGN
ArrowColor=ARROW COLORING
Cut=TIMING CUT
Freeze=FREEZE ARROW
Jump=JUMPS
ArrowType=ARROW DESIGN
DanceStage=DANCESTAGE
VisualDelaySeconds=DISPLAY TIMING
TargetScore=TARGET SCORE
GuideLinesType=GUIDELINES
Gauge=GAUGE
#PLAYER OPTIONS#


#SCREEN OPTIONS SERVICE#
Input Options=Input Options
CustomOptions=Custom Options
I/O Check=I/O CHECK
Screen Check=SCREEN CHECK
Sound Options=SOUND OPTIONS
Game Options=GAME OPTIONS
Game Mode=GAME MODE
Arcade Options=ARCADE OPTIONS
Bookkeeping=BOOKKEEPING
Padding=
#SCREEN OPTIONS SERVICE#


#SCREEN APPEARANCE OPTIONS#
EditorNoteSkin=Editor NoteSkin
#SCREEN APPEARANCE OPTIONS#

#SCREEN CUSTOM OPTIONS#
OptionsTheme=Theme Options
OptionsPlayer=Player Options
OptionsStages=DanceStages Options
#SCREEN CUSTOM OPTIONS#


#SCREEN OPTIONS THEME#
Version=Version
Model=MODEL
Logo=LOGO
GoldenLeague=GOLDEN LEAGUE
DanCourse=CLASS
GameplayBackground=GAMEPLAY BACKGROUND
JudgementAnimation=JUDGEMENT ANIMATION
BGM=BG Music
ConvertScoresAndGrades=Convert Scores/Grades
RadarLimit=Radar Limiter
NTOption=NoteSkins option
#SCREEN OPTIONS THEME#


#SCREEN OPTIONS PLAYER STUFF#
ScreenFilter=LANE BACKGROUND
ComboUnderField=JUDGEMENT LAYER
GuideLines=GUIDELINES
EXScore=EX SCORE
FastSlow=FAST/SLOW DISPLAY
ShockArrows=MINES COMBO
BPM=BPM DISPLAY
SpeedDisplay=HI-SPEED DISPLAY
#SCREEN OPTIONS PLAYER STUFF#


#SCREEN OPTIONS STAGES#
Characters=CHARACTER
Mate1=DANCERMATE 1
Mate2=DANCERMATE 2
Mate3=DANCERMATE 3
CutIns=CutIns
CharacterSync=CHARACTER SYNC
BoomSync=BOOM SYNC
DiscoStars=DANCING RAYS STARS
RMStage=VIDEOSTAGES BACKGROUND
Region=Region
CharaShadow=Character Shadow
VideoOverStage =Video Over Stage
SNEnv=SN Environment

#SCREEN OPTIONS STAGES#

#SCREEN OPTIONS GRAPHICS/SOUNDS#
VideoRenderer=Video Renderer
VideoRendererSM5.3=Video Renderer
GlobalOffsetSeconds=Global Offset
#SCREEN OPTIONS GRAPHICS/SOUNDS#

[OptionExplanations]
#PLAYER OPTIONS#
Speed=
Accel=
AppearancePlus=
Turn=
Hide=
Scroll=
NoteSkins=
ArrowColor=
Cut=
Freeze=
Jump=
ArrowType=
DanceStage=
TargetScore=
GuideLinesType=
Gauge=
#PLAYER OPTIONS#


#SCREEN OPTIONS SERVICE#
CustomOptions=Customize your favorite options for the theme.
I/O Check=
Screen Check=
Sound Options=
Game Options=
Event Mode=
Game Mode=
Padding=
#SCREEN OPTIONS SERVICE#

#SCREEN APPEARANCE OPTIONS#
EditorNoteSkin=Select the default noteskin for Edit Mode.
#SCREEN APPEARANCE OPTIONS#

#SCREEN CUSTOM OPTIONS#
OptionsTheme=Theme Options
OptionsPlayer=Player Options
OptionsStages=DanceStages Options
#SCREEN CUSTOM OPTIONS#


#SCREEN OPTIONS THEME#
Version=Select your favorite version of the DDR A Saga.
Model=Change Gold/White cab model.
Logo=Change the logo from DDR AC version or GRANDPRIX version.
GoldenLeague=GoldenLeague doors and animations.
DanCourse=Select your DanCourse decoration.
GameplayBackground=Background: You will have the Background's Song.\nDanceStages: You will have DanceStages, Characters.\nSNCharacters: SNCharacters System (Videos and/or Cut-Ins).
JudgementAnimation=Normal: Normal animation of Judgements.\nSimple: The Animation will show and disappear.
BGM=Off: SelectMusic and Evaluation BGM Off.\nOn: SelectMusic and Evaluation BGM On.
ConvertScoresAndGrades=If YES, high scores displayed in Select Music and grades everywhere will be converted to their SuperNOVA 2 equivalent. (This does not change the actual recorded score or grade.)
RadarLimit=Enables/Disables the limiting of Groove Radar values on Music Select.
NTOption=Off: All NoteSkins in PlayerOptions.\nOn: SchneiderAFX NoteSkins SortList (Similar to the AC).
#SCREEN OPTIONS THEME#


#SCREEN OPTIONS PLAYER STUFF#
ScreenFilter=Off = 0% opacity. Dark = 35% opacity.\nDarker = 65% opacity. Darkest = 95% opacity.
ComboUnderField=Background: Combo and Judgements behind the arrows.\nForeground: Combo and Judgements in front of the arrows.
GuideLines=GuideLines during Gameplay (Both players).
EXScore=Display Normal Score or EXSCORE.
FastSlow=Show Fast/Slow Judgements in Gameplay and Evaluation.
ShockArrows=Off: Mines won't increase combo.\nOn: Mines will increase combo (+1 combo per mine).
BPM=Name: You will see your name during Gameplay.\nBPM:You will see the BPM of the song.
SpeedDisplay=Choose if you want to see the speed comparation in PlayerOptions.
#SCREEN OPTIONS PLAYER STUFF#


#SCREEN OPTIONS STAGES#
Characters=Select your Character.
Mate1=DANCERMATE 1
Mate2=DANCERMATE 2
Mate3=DANCERMATE 3
CutIns=Character's CutIns during gameplay.
CharacterSync=Choose if you prefer that the BPM of the song affects the Character.\nOnly for BPM < 130
BoomSync=Choose your favorite sync style for Boom Speakers and Rings.
DiscoStars=Shining stars on Dancing Rays and Club stages.\nRequires PC resources!.
RMStage=Choose BG for video stages.\nRandom Movies Folder: DanceStages > StageMovies. \nRM Requires PC resources!.
CharaShadow=Character Shadow
VideoOverStage =Prioritize video playback over stages (Not applicable for video-compatible stages).
SNEnv=SN Environment
Region=Select your player region.
#SCREEN OPTIONS STAGES#

#SCREEN OPTIONS GRAPHICS/SOUNDS#
VideoRenderer=Choose a rendering backend. Depending on your OS, opengl may be the only option available here.d3d (Windows only) does not support some visual effects. Many "mod charts" (for example, content from TaroNuke) are visually unplayable when using d3d. You will need to restart SM5 if you change this for it to take effect.
VideoRendererSM5.3=Choose a rendering backend.\nopengl is the traditional OpenGL renderer.\nglad is a more modern OpenGL backend, but it is not supported by older video cards.\nYou will need to restart SM5 if you change this for it to take effect.
GlobalOffsetSeconds=Set the audio offset in milliseconds.\n\nNegative values cause the audio to be played earlier (late arrows), positive values cause audio playback to be late (early arrows).
VisualDelaySeconds=Subtract or add this many milliseconds of visual delay to gameplay.\n\nNegative values can be used to compensate for an LCD TV with a lot of "lag" or latency.

#SCREEN OPTIONS GRAPHICS/SOUNDS#

[OptionNames]
x0.25=x0.25
x0.5=x0.50
x0.75=x0.75
x1=x1
x1.25=x1.25
x1.5=x1.5
x1.75=x1.75
x2=x2
x2.25=x2.25
x2.5=x2.5
x2.75=x2.75
x3=x3
x3.25=x3.25
x3.5=x3.5
x3.75=x3.75
x4=x4
x4.25=x4.25
x4.5=x4.5
x4.75=x4.75
x5=x5
x5.25=x5.25
x5.5=x5.5
x5.75=x5.75
x6=x6
x6.25=x6.25
x6.5=x6.5
x6.75=x6.75
x7=x7
x7.25=x7.25
x7.5=x7.5
x7.75=x7.75
x8=x8

Off=OFF
Visible=VISIBLE
Sudden=SUDDEN
Stealth=STEALTH
Mirror=MIRROR
Left=LEFT
Flat=FLAT
Dark=DARK
Reverse=REVERSE
Filter=FILTER

1 Life=1 Life
4 Lives=4 Lives

[OptionItemNames]
Speed0=x0.25
Speed1=x0.5
Speed2=x0.75
Speed3=x1
Speed4=x1.25
Speed5=x1.5
Speed6=x1.75
Speed7=x2
Speed8=x2.25
Speed9=x2.5
Speed10=x2.75
Speed11=x3
Speed12=x3.25
Speed13=x3.5
Speed14=x3.75
Speed15=x4
Speed16=x4.25
Speed17=x4.5
Speed18=x4.75
Speed19=x5
Speed20=x5.25
Speed21=x5.5
Speed22=x5.75
Speed23=x6
Speed24=x6.25
Speed25=x6.5
Speed26=x6.75
Speed27=x7
Speed28=x7.25
Speed29=x7.5
Speed30=x7.75
Speed31=x8

Accel0=Normal
Accel1=Boost
Accel2=Brake
Accel3=Wave

AppearancePlus0=Visible
AppearancePlus1=Hidden
AppearancePlus2=Sudden
AppearancePlus3=Stealth
AppearancePlus4=Hidden+
AppearancePlus5=Sudden+
AppearancePlus6=HIDSUD+
AppearancePlus7=Constant

Turn0=Off
Turn1=Mirror
Turn2=Left
Turn3=Right
Turn4=Shuffle

Hide0=On
Hide1=Off

Scroll0=standard
Scroll1=Reverse

ArrowColor0=RAINBOW
ArrowColor1=NOTE
ArrowColor2=VIVID
ArrowColor3=FLAT
ArrowColor4=SMNOTE

ArrowType0=Normal
ArrowType1=Classic
ArrowType2=Cyber
ArrowType3=X
ArrowType4=Medium
ArrowType5=Small
ArrowType6=Dot

Freeze0=On
Freeze1=Off

Jump0=On
Jump1=Off

Cut0=Off
Cut1=On

ScreenFilter0=OFF
ScreenFilter1=DARK
ScreenFilter2=DARKER
ScreenFilter3=DARKEST

VisualDelaySeconds0=-5
VisualDelaySeconds1=-4
VisualDelaySeconds2=-3
VisualDelaySeconds3=-2
VisualDelaySeconds4=-1
VisualDelaySeconds5=0
VisualDelaySeconds6=1
VisualDelaySeconds7=2
VisualDelaySeconds8=3
VisualDelaySeconds9=4
VisualDelaySeconds10=5

TargetScore0=Off
TargetScore1=On

GuideLinesType0=OFF
GuideLinesType1=CENTER
GuideLinesType2=BORDER

Gauge0=NORMAL
Gauge1=FLARE I
Gauge2=FLARE II
Gauge3=FLARE III
Gauge4=FLARE IV
Gauge5=FLARE V
Gauge6=FLARE VI
Gauge7=FLARE VII
Gauge8=FLARE VIII
Gauge9=FLARE IX
Gauge10=FLARE EX
Gauge11=FLOATING FLARE
Gauge12=LIFE4
Gauge13=RISKY

[OptionItemExplanations]
Speed0=Sets the arrow scrolling speed to\nx0.25.
Speed1=Sets the arrow scrolling speed to\nx0.5.
Speed2=Sets the arrow scrolling speed to\nx0.75.
Speed3=Sets the arrow scrolling speed to\nx1.0.
Speed4=Sets the arrow scrolling speed to\nx1.25.
Speed5=Sets the arrow scrolling speed to\nx1.5.
Speed6=Sets the arrow scrolling speed to\nx1.75.
Speed7=Sets the arrow scrolling speed to\nx2.0.
Speed8=Sets the arrow scrolling speed to\nx2.25.
Speed9=Sets the arrow scrolling speed to\nx2.5.
Speed10=Sets the arrow scrolling speed to\nx2.75.
Speed11=Sets the arrow scrolling speed to\nx3.0.
Speed12=Sets the arrow scrolling speed to\nx3.25.
Speed13=Sets the arrow scrolling speed to\nx3.5.
Speed14=Sets the arrow scrolling speed to\nx3.75.
Speed15=Sets the arrow scrolling speed to\nx4.0.
Speed16=Sets the arrow scrolling speed to\nx4.25.
Speed17=Sets the arrow scrolling speed to\nx4.5.
Speed18=Sets the arrow scrolling speed to\nx4.75.
Speed19=Sets the arrow scrolling speed to\nx5.0.
Speed20=Sets the arrow scrolling speed to\nx5.25.
Speed21=Sets the arrow scrolling speed to\nx5.5.
Speed22=Sets the arrow scrolling speed to\nx5.75.
Speed23=Sets the arrow scrolling speed to\nx6.0.
Speed24=Sets the arrow scrolling speed to\nx6.25.
Speed25=Sets the arrow scrolling speed to\nx6.5.
Speed26=Sets the arrow scrolling speed to\nx6.75.
Speed27=Sets the arrow scrolling speed to\nx7.0.
Speed28=Sets the arrow scrolling speed to\nx7.25.
Speed29=Sets the arrow scrolling speed to\nx7.5.
Speed30=Sets the arrow scrolling speed to\nx7.75.
Speed31=Sets the arrow scrolling speed to\nx8.0.

Accel0=The arrows scroll\nin the same speed.
Accel1=The arrows accelerate.
Accel2=The arrows decelerate.
Accel3=The arrows float and\nwobble around.

AppearancePlus0=Arrows will appear.
AppearancePlus1=Arrows will suddenly disappear.
AppearancePlus2=Arrows will suddenly appear.
AppearancePlus3=Arrows will not appear.
AppearancePlus4=Displays a lane cover that obscures arrows\nfrom the top of the screen.
AppearancePlus5=Displays a lane cover that obscures arrows\nfrom the bottom of the screen.
AppearancePlus6=Displays lane covers that obscure arrows from both the top and bottom of the screen.
AppearancePlus7=Arrows will remain on screen for a constant value.

Turn0=Steps remain \nin their original pattern.
Turn1=Steps are rotated\n180 degrees.
Turn2=Arrows are rotated\n90 degrees\ncounter-clockwise.
Turn3=Arrows are rotated \n90 degrees clockwise.
Turn4=The direction of steps is\nshuffled at random.

Hide0=The Step Zone will always be visible.
Hide1=The Step Zone will \nnot be visible.

Scroll0=Arrows scroll from \nbottom to top.
Scroll1=Arrows scroll \nfrom top to bottom.

ArrowColor0=RAINBOW
ArrowColor1=NOTE
ArrowColor2=VIVID
ArrowColor3=FLAT
ArrowColor4=SMNOTE

Freeze0=FREEZE ARROWS are included\nin the chart.
Freeze1=FREEZE ARROWS are removed\nfrom the chart.

Jump0=Include\nsimultaneous steps.
Jump1=Remove\nsimultaneous steps.

Cut0=Normal steps.
Cut1=Only quarter (4th) notes will appear.

ScreenFilter0=Filter visible at 0%\nopacity.
ScreenFilter1=Filter visible at 35%\nopacity.
ScreenFilter2=Filter visible at 65%\nopacity.
ScreenFilter3=Filter visible at 95%\nopacity.

ArrowType0=Normal
ArrowType1=Classic
ArrowType2=Cyber
ArrowType3=X
ArrowType4=Medium
ArrowType5=Small
ArrowType6=Dot

VisualDelaySeconds0=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.
VisualDelaySeconds1=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.
VisualDelaySeconds2=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.
VisualDelaySeconds3=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.
VisualDelaySeconds4=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.
VisualDelaySeconds5=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.
VisualDelaySeconds6=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.
VisualDelaySeconds7=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.
VisualDelaySeconds8=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.
VisualDelaySeconds9=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.
VisualDelaySeconds10=Adjust the display timing of the arrows.\nIf you feel that the input is lagging behind the Step Zone, decrease the amount.

TargetScore0=TARGET SCORE will not be shown.
TargetScore1=TARGET SCORE will be shown.

GuideLinesType0=Guidelines will be hidden.
GuideLinesType1=Guidelines will be centered on the beat.
GuideLinesType2=Guidelines will mark beat boundaries.

Gauge0=The standard dance gauge.
Gauge1=For advanced players. The dance gauge does not recover, and it decreases on Great or lower ratings (Also considers N.G.).\nRecommended SCORE: 800,000
Gauge2=For advanced players. The dance gauge does not recover, and it decreases on Great or lower ratings (Also considers N.G.).\nRecommended SCORE: 850,000
Gauge3=For advanced players. The dance gauge does not recover, and it decreases on Great or lower ratings (Also considers N.G.).\nRecommended SCORE: 900,000
Gauge4=For advanced players. The dance gauge does not recover, and it decreases on Great or lower ratings (Also considers N.G.).\nRecommended SCORE: 930,000
Gauge5=For advanced players. The dance gauge does not recover, and it decreases on Great or lower ratings (Also considers N.G.).\nRecommended SCORE: 955,000
Gauge6=For advanced players. The dance gauge does not recover, and it decreases on Great or lower ratings (Also considers N.G.).\nRecommended SCORE: 960,000
Gauge7=For advanced players. The dance gauge does not recover, and it decreases on Great or lower ratings (Also considers N.G.).\nRecommended SCORE: 970,000
Gauge8=For advanced players. The dance gauge does not recover, and it decreases on Great or lower ratings (Also considers N.G.).\nRecommended SCORE: 980,000
Gauge9=For advanced players. The dance gauge does not recover, and it decreases on Great or lower ratings (Also considers N.G.).\nRecommended SCORE: 990,000
Gauge10=For very advanced players. The dance gauge does not recover, and it decreases on Perfect or lower ratings (Also considers N.G.).\nRecommended SCORE: 995,000
Gauge11=This gauge starts at FLARE EX and when that gauge is empty, it switches to a gauge of a lower level until it reaches FLARE I.
Gauge12=Ends the game after receiving 4 or more\nMiss or N.G. ratings.\nThis option is for advanced players.
Gauge13=Ends the game if you receive even one\nMiss or N.G. rating.


[CustomDifficulty]
Beginner=BEGINNER
Easy=BASIC
Medium=DIFFICULT
Hard=EXPERT
Challenge=CHALLENGE
Edit=EDIT DATA
Couple=COUPLE
Routine=ROUTINE

[MusicWheel]
TitleText=Choose by SONG TITLE.
GenreText=Choose from GENRE.
GroupText=Choose by GROUP.
ArtistText=Choose by ARTIST.
TopGradesText=Choose by CLEAR RANK.
BPMText=Choose by BPM.
EasyMeterText=Choose by LEVEL.
PopularityText=Choose from HIT CHARTS.
LengthText=Choose by LENGTH.
PreferredText=Choose by ARCADE GROUP.

RecentText=Choose by played RECENTLY.
BeginnerMeterText=BEGINNER DIFFICULTY
HardMeterText=EXPERT DIFFICULTY
MediumMeterText=DIFFICULT DIFFICULTY
Portal=PORTAL
Random=RANDOM
Roulette=ROULETTE
ChallengeMeterText=CHALLENGE DIFFICULTY
SYSTEM=SYSTEM CATEGORY
GROUPTop=Open the folder and select a song!
GROUPBot=VERSION
CustomItemCrsText=Course
CustomItemCourseText=COURSE MODE

[Stage]
1st=1st
2nd=2nd
3rd=3rd
4th=4th
5th=5th
6th=6th
Next=Next
Final=FINAL
Extra1=EXTRA
Extra2=ENCORE EXTRA
Nonstop=NONSTOP
Oni=CHALLENGE
Endless=Endless
Event=EVENT
Demo=DEMO

[Headers]
Edit Courses=Edit Courses
Edit Steps=Edit Steps
Jukebox=Jukebox
Log In=Log In
Theme Options=Theme Options
Network Options=Network Options
Export Packages=Export Packages
Select Character=Select Character
Select Course=Select Course
Select Difficulty=Select Difficulty
Select Music=SELECT MUSIC
Select Style=SELECT STYLE
Set Time=Set Time
Summary=Summary
Test Input=Test Input
Results=RESULTS

[ScreenSelectStyle]
HelpText=
HeaderText=SELECT STYLE

[ScreenProfileSave]
Saving Profiles=
HeaderText=

[ScreenEditMenu]
HelpText=

[ScreenSyncOverlay]
AutoPlay=AutoPlay turned on, score will not be saved.
AutoPlayCPU=AutoPlayCPU turned on, score will not be saved.
AutoSync Machine=AutoSync Machine
AutoSync Song=AutoSync Song
AutoSync Tempo=AutoSync Tempo
Can't sync while playing a course.=Can't sync while playing a course.
Sync changes reverted.=Sync changes reverted.
revert_sync_changes=Revert sync changes
change_bpm=Current BPM - smaller/larger
change_song_offset=Song offset - notes earlier/later
change_machine_offset=Machine offset - notes earlier/later
hold_alt=(hold Alt for smaller increment)
Old offset=Old offset
New offset=New offset
Collecting sample=Collecting sample
Standard deviation=Standard deviation

[Food]
Peanut=Peanut
Orange=Orange
Grape=Grapes
Kiwi=Kiwi
Banana=Banana
Egg=Raw egg
Apple=Apple
Milk=Cow's milk (200g)
Onigiri=Ume onigiri
Pudding=Pudding
Rice=Rice (150g)
Daifuku=Daifuku
Creampuff=Cream puff
Stew=Beef stew
Cake=Cake
Karaage=Karaage (120g)
Tonkatsu=Tonkatsu (100g)
Pizza=Pizza
Pilaf=Shrimp pilaf (200g)
Ramen=Ramen
Chaahan=Gomoku chaahan (160g)
Cheeseburger=Cheeseburger
Carbonara=Spaghetti carbonara
Oyakodon=Oyakodon
Gyuudon=Gyuudon
Curryrice=Pork curry rice
Omurice=Omurice
Hayashi=Hayashi rice
Katsudon=Katsudon

https://i.postimg.cc/dQmwbTw6/ZIVSignature2.png
秋月律子P、天海春香P、如月千早P/アイマス ファン/DanceDanceRevolutionダンサー

Post #519 · Posted at 2025-05-03 01:48:04pm 2.1 months ago

Offline piotr25691
piotr25691 Avatar Member
64 Posts
Poland
Reg. 2025-02-24

"I make DDR A3 better!"
Any Korean text? So we have all three languages of DDR A3?

Post #520 · Posted at 2025-05-04 02:26:19am 2.1 months ago

Offline VR0
VR0 Avatar Member
992 Posts
Chile
Reg. 2012-03-20

Nintendo Switch Friend Code: SW-2602-0918-1312
"ムーン ゴーシュス メヂィデーション"
NEW Korean text!!!

This text is in (theme)/languages/ko.ini, create it if abstent:
[Common]
WindowTitle=Dance Dance Revolution A3

[Screen]
HelpText=&BACK; 출구 &START; 선택하다 &SELECT; 옵션 &MENULEFT;&MENURIGHT;&MENUUP;&MENUDOWN; 이동하다

[ScreenWithMenuElements]
HelpText=&BACK; 출구 &START; 선택하다 &MENULEFT;&MENURIGHT; 이동하다
StageCounter=%s STAGE
EventStageCounter=STAGE %03i
HelpTextOptionsAndBack=&MENUUP;&MENUDOWN; line &MENULEFT;&MENURIGHT; change &START; choose &BACK; discard

[ScreenTitleMenu]
HelpText=&BACK; 출구 &START; 선택하다 &MENUUP;&MENUDOWN; 이동하다
Network OK=ONLINE
Offline=ONLINE
Connected to %s=Connected to %s
CurrentGametype=Current Gametype: %s
LifeDifficulty=Life Difficulty: %s
TimingDifficulty=Timing Difficulty: %s
%i Songs (%i Groups), %i Courses=%i Songs (%i Groups), %i Courses
GAME MODE=GAME MODE
TRAINING MODE=TRAINING MODE
EDIT MODE=EDIT MODE
OPTIONS=OPTIONS
EXIT=EXIT


[ScreenTitleJoin]
HelpText=시작하려면 &START;를 누르십시오
HelpTextJoin=시작하려면 &START;를 누르십시오
HelpTextWait=동전을 넣어주세요
EventMode=Event Mode
JointPremiumMain=Joint Premium
JointPremiumSecondary=1개의 크레딧으로 2명의 플레이어가 플레이할 수 있습니다!
DoublesPremiumMain=Doubles Premium
DoublesPremiumSecondary=더블을 플레이하면 1크레딧을 드립니다!

[ScreenDemonstration]
Demonstration=Demonstration
%s - %s [from %s]=%s - %s\n[from %s]

[ScreenProfileLoad]
HelpText=... Loading profiles, please wait ...

[ScreenSelectProfile]
%d Song Played=%d Song Played
%d Songs Played=%d Songs Played
PressStart=시작하려면 &START;를 누르십시오
HelpText=&MENUUP;&MENUDOWN; 프로필 전환 &START; 선택 / 가입 &BACK; 선택 취소
HelpTextCard=시작하려면 &START;를 누르십시오
HeaderText=LOGIN

HelpText=&MENULEFT;&MENURIGHT; 선택 &START;로 결정
NotSetWeight=NotSetWeight
ConfiguredWeight=★★★.★ kg
SetCharacter=Choose your dancer.
NoCharacter=Blank
SetWeight=Set your weight.
WeightExplanation=Weight settings are required for\naccurate calorie display.\nWeight will not be displayed.
WeightExplanation2=You can change the weight that you\npreviously entered.\nWeight will not be displayed.

[ScreenSelectMaster]
HelpText=&BACK; 출구 &START; 선택 / 가입 &MENULEFT;&MENURIGHT; 이동하다

[ScreenSelectPlayMode]
HeaderText=SELECT MODE
HelpText=

[ScreenSelectPlayCourseMode]
HelpText=
HeaderText=SELECT COURSE MODE

[ScreenSelectPlayStyle]
HelpText=


[ScreenGameInformation]
HelpText=&BACK; 출구 &START;로 건너 뛰기.

[ScreenSelectMusic]
NEW!=NEW!
Press Start For Options=옵션을 보려면 &START;를 누르세요
Entering Options=ENTERING SETTING OPTION
HelpText=
AlternateHelpText=
HeaderText=SELECT MUSIC

[ScreenSortList]
BeginnerMeter=BEGINNER SORT
EasyMeter=BASIC SORT
MediumMeter=DIFFICULT SORT
HardMeter=EXPERT SORT
ChallengeMeter=CHALLENGE SORT
Group=VERSION
Title=ABC
Artist=ARTISTS
Genre=GENRE
BPM=BPM
TopGrades=TOP GRADES
Popularity=POPULARITY

[ScreenSelectCourse]
HelpText=
HeaderText=SELECT COURSE

[ScreenOptions]
HelpText=&BACK; Exit &START; Choose &SELECT; Go Up &MENULEFT;&MENURIGHT;&MENUUP;&MENUDOWN; Move
Disqualified=Score will be disqualified!

[ScreenOptionsServiceChild]
HelpText=PRESS P1 LEFT/RIGHT BUTTON = SELECT ITEM\nPRESS P1 START BUTTON = EXECUTE

[ScreenOptionsService]
HelpText=PRESS P1 LEFT/RIGHT BUTTON = SELECT ITEM\nPRESS P1 START BUTTON = EXECUTE

[ScreenStageInformation]
BestScore=Best
TargetScore=Target

[ScreenEvaluation]
HeaderText=RESULTS

[ScreenEvaluationSummary]
HeaderText=TOTAL RESULTS

[OptionTitles]
#PLAYER OPTIONS#
Speed=HI-SPEED
Accel=스크롤 동작
AppearancePlus=화살표 모양
Turn=화살표 배치
Hide=스텝 존
Scroll=스크롤 방향
NoteSkins=화살표 디자인
ArrowColor=화살표 색칠
Cut=타이밍 컷
Freeze=동결 화살표
Jump=점프
ArrowType=화살표 디자인
DanceStage=댄스스테이지
VisualDelaySeconds=디스플레이 타이밍
TargetScore=목표 점수
GuideLinesType=가이드라인
Gauge=계량기
#PLAYER OPTIONS#


#SCREEN OPTIONS SERVICE#
Input Options=Input Options
CustomOptions=Custom Options
I/O Check=I/O CHECK
Screen Check=SCREEN CHECK
Sound Options=SOUND OPTIONS
Game Options=GAME OPTIONS
Game Mode=GAME MODE
Arcade Options=ARCADE OPTIONS
Bookkeeping=BOOKKEEPING
Padding=
#SCREEN OPTIONS SERVICE#


#SCREEN APPEARANCE OPTIONS#
EditorNoteSkin=Editor NoteSkin
#SCREEN APPEARANCE OPTIONS#

#SCREEN CUSTOM OPTIONS#
OptionsTheme=Theme Options
OptionsPlayer=Player Options
OptionsStages=DanceStages Options
#SCREEN CUSTOM OPTIONS#


#SCREEN OPTIONS THEME#
Version=버전
Model=모델
Logo=심벌 마크
GoldenLeague=GOLDEN LEAGUE
DanCourse=댄 랭킹
GameplayBackground=게임플레이 배경
JudgementAnimation=판단 애니메이션
BGM=BG 뮤직
ConvertScoresAndGrades=점수/성적 변환
RadarLimit=레이더 리미터
NTOption=NoteSkins 옵션
#SCREEN OPTIONS THEME#


#SCREEN OPTIONS PLAYER STUFF#
ScreenFilter=차선 배경
ComboUnderField=판단 계층
GuideLines=가이드라인
EXScore=EX SCORE
FastSlow=FAST/SLOW 표시하다
ShockArrows=MINES COMBO
BPM=BPM 표시하다
SpeedDisplay=HI-SPEED 표시하다
#SCREEN OPTIONS PLAYER STUFF#


#SCREEN OPTIONS STAGES#
Characters=CHARACTER
Mate1=DANCERMATE 1
Mate2=DANCERMATE 2
Mate3=DANCERMATE 3
CutIns=CutIns
CharacterSync=CHARACTER SYNC
BoomSync=BOOM SYNC
DiscoStars=DANCING RAYS STARS
RMStage=VIDEOSTAGES BACKGROUND
Region=Region
CharaShadow=Character Shadow
VideoOverStage =Video Over Stage
SNEnv=SN Environment

#SCREEN OPTIONS STAGES#

#SCREEN OPTIONS GRAPHICS/SOUNDS#
VideoRenderer=Video Renderer
VideoRendererSM5.3=Video Renderer
GlobalOffsetSeconds=Global Offset
#SCREEN OPTIONS GRAPHICS/SOUNDS#

[OptionExplanations]
#PLAYER OPTIONS#
Speed=
Accel=
AppearancePlus=
Turn=
Hide=
Scroll=
NoteSkins=
ArrowColor=
Cut=
Freeze=
Jump=
ArrowType=
DanceStage=
TargetScore=
GuideLinesType=
Gauge=
#PLAYER OPTIONS#


#SCREEN OPTIONS SERVICE#
CustomOptions=Customize your favorite options for the theme.
I/O Check=
Screen Check=
Sound Options=
Game Options=
Event Mode=
Game Mode=
Padding=
#SCREEN OPTIONS SERVICE#

#SCREEN APPEARANCE OPTIONS#
EditorNoteSkin=Select the default noteskin for Edit Mode.
#SCREEN APPEARANCE OPTIONS#

#SCREEN CUSTOM OPTIONS#
OptionsTheme=Theme Options
OptionsPlayer=Player Options
OptionsStages=DanceStages Options
#SCREEN CUSTOM OPTIONS#


#SCREEN OPTIONS THEME#
Version=DDR A 사가 중 가장 좋아하는 버전을 선택하세요.
Model=골드/화이트 캡 모델을 변경하세요.
Logo=DDR AC 버전이나 GRANDPRIX 버전의 로고를 변경합니다.
GoldenLeague=GoldenLeague 도어 및 애니메이션.
DanCourse=당신의 클래스 장식을 선택하세요.
GameplayBackground=Background: 배경음악이 나옵니다.\nDanceStages: 댄스스테이지와 캐릭터가 있을 거예요.\nSNCharacters: SNCharacters 시스템(비디오 및/또는 컷인).
JudgementAnimation=Normal: 심판의 일반적인 애니메이션입니다.\nSimple: 애니메이션이 나타나기도 하고 사라지기도 합니다.
BGM=Off: SelectMusic 및 평가 BGM Off.\nOn: SelectMusic과 Evaluation BGM을 켜세요.
ConvertScoresAndGrades=예인 경우, Select Music에 표시되는 최고 점수와 모든 등급이 SuperNOVA 2에 표시되는 최고 점수로 변환됩니다. (실제 기록된 점수나 등급은 변경되지 않습니다.)
RadarLimit=Music Select에서 Groove Radar 값의 제한을 활성화/비활성화합니다.
NTOption=Off: 모든 NoteSkins는 PlayerOptions에 있습니다.\nOn: SchneiderAFX NoteSkins SortList(AC와 유사).
#SCREEN OPTIONS THEME#


#SCREEN OPTIONS PLAYER STUFF#
ScreenFilter=Off = 0% opacity. Dark = 35% opacity.\nDarker = 65% opacity. Darkest = 95% opacity.
ComboUnderField=Background: 화살표 뒤의 콤보와 판단.\nForeground: 화살표 앞에 콤보와 심판이 있습니다.
GuideLines=게임 플레이 중의 가이드라인(두 플레이어 모두)
EXScore=일반 점수 또는 EXSCORE를 표시합니다.
FastSlow=게임 플레이 및 평가에서 FAST/SLOW 판단을 보여줍니다.
ShockArrows=Off: 지뢰는 콤보를 증가시키지 않습니다.\nOn: 지뢰는 콤보를 증가시킵니다(지뢰 하나당 콤보 1개 증가).
BPM=Name: 게임 플레이 중에 당신의 이름이 표시됩니다.\nBPM:노래의 BPM을 보실 수 있습니다.
SpeedDisplay=PlayerOptions에서 속도 비교를 볼지 여부를 선택하세요.
#SCREEN OPTIONS PLAYER STUFF#


#SCREEN OPTIONS STAGES#
Characters=캐릭터를 선택하세요.
Mate1=DANCERMATE 1
Mate2=DANCERMATE 2
Mate3=DANCERMATE 3
CutIns=게임 플레이 중 캐릭터의 컷인.
CharacterSync=곡의 BPM이 캐릭터에 영향을 미치도록 할지 여부를 선택하세요.\nBPM이 130 미만인 경우에만 해당됩니다.
BoomSync=붐 스피커와 링에 맞는 동기화 스타일을 선택하세요.
DiscoStars=댄싱 레이즈와 클럽 무대에서 빛나는 별들.\nPC 리소스가 필요합니다!
RMStage=비디오 스테이지에는 BG를 선택하세요.\nRandom Movies Folder: DanceStages > StageMovies. \nRM에는 PC 리소스가 필요합니다!.
CharaShadow=캐릭터 그림자
VideoOverStage =스테이지보다 비디오 재생을 우선시합니다(비디오 호환 스테이지에는 적용되지 않음).
SNEnv=SN 환경
Region=플레이어 지역을 선택하세요.
#SCREEN OPTIONS STAGES#

#SCREEN OPTIONS GRAPHICS/SOUNDS#
VideoRenderer=Choose a rendering backend. Depending on your OS, opengl may be the only option available here.d3d (Windows only) does not support some visual effects. Many "mod charts" (for example, content from TaroNuke) are visually unplayable when using d3d. You will need to restart SM5 if you change this for it to take effect.
VideoRendererSM5.3=Choose a rendering backend.\nopengl is the traditional OpenGL renderer.\nglad is a more modern OpenGL backend, but it is not supported by older video cards.\nYou will need to restart SM5 if you change this for it to take effect.
GlobalOffsetSeconds=Set the audio offset in milliseconds.\n\nNegative values cause the audio to be played earlier (late arrows), positive values cause audio playback to be late (early arrows).
VisualDelaySeconds=Subtract or add this many milliseconds of visual delay to gameplay.\n\nNegative values can be used to compensate for an LCD TV with a lot of "lag" or latency.

#SCREEN OPTIONS GRAPHICS/SOUNDS#

[OptionNames]
x0.25=x0.25
x0.5=x0.50
x0.75=x0.75
x1=x1
x1.25=x1.25
x1.5=x1.5
x1.75=x1.75
x2=x2
x2.25=x2.25
x2.5=x2.5
x2.75=x2.75
x3=x3
x3.25=x3.25
x3.5=x3.5
x3.75=x3.75
x4=x4
x4.25=x4.25
x4.5=x4.5
x4.75=x4.75
x5=x5
x5.25=x5.25
x5.5=x5.5
x5.75=x5.75
x6=x6
x6.25=x6.25
x6.5=x6.5
x6.75=x6.75
x7=x7
x7.25=x7.25
x7.5=x7.5
x7.75=x7.75
x8=x8

Off=OFF
Visible=VISIBLE
Sudden=SUDDEN
Stealth=STEALTH
Mirror=MIRROR
Left=LEFT
Flat=FLAT
Dark=DARK
Reverse=REVERSE
Filter=FILTER

1 Life=1 Life
4 Lives=4 Lives

[OptionItemNames]
Speed0=x0.25
Speed1=x0.5
Speed2=x0.75
Speed3=x1
Speed4=x1.25
Speed5=x1.5
Speed6=x1.75
Speed7=x2
Speed8=x2.25
Speed9=x2.5
Speed10=x2.75
Speed11=x3
Speed12=x3.25
Speed13=x3.5
Speed14=x3.75
Speed15=x4
Speed16=x4.25
Speed17=x4.5
Speed18=x4.75
Speed19=x5
Speed20=x5.25
Speed21=x5.5
Speed22=x5.75
Speed23=x6
Speed24=x6.25
Speed25=x6.5
Speed26=x6.75
Speed27=x7
Speed28=x7.25
Speed29=x7.5
Speed30=x7.75
Speed31=x8

Accel0=Normal
Accel1=Boost
Accel2=Brake
Accel3=Wave

AppearancePlus0=Visible
AppearancePlus1=Hidden
AppearancePlus2=Sudden
AppearancePlus3=Stealth
AppearancePlus4=Hidden+
AppearancePlus5=Sudden+
AppearancePlus6=HIDSUD+
AppearancePlus7=Constant

Turn0=Off
Turn1=Mirror
Turn2=Left
Turn3=Right
Turn4=Shuffle

Hide0=On
Hide1=Off

Scroll0=standard
Scroll1=Reverse

ArrowColor0=RAINBOW
ArrowColor1=NOTE
ArrowColor2=VIVID
ArrowColor3=FLAT
ArrowColor4=SMNOTE

ArrowType0=Normal
ArrowType1=Classic
ArrowType2=Cyber
ArrowType3=X
ArrowType4=Medium
ArrowType5=Small
ArrowType6=Dot

Freeze0=On
Freeze1=Off

Jump0=On
Jump1=Off

Cut0=Off
Cut1=On

ScreenFilter0=OFF
ScreenFilter1=DARK
ScreenFilter2=DARKER
ScreenFilter3=DARKEST

VisualDelaySeconds0=-5
VisualDelaySeconds1=-4
VisualDelaySeconds2=-3
VisualDelaySeconds3=-2
VisualDelaySeconds4=-1
VisualDelaySeconds5=0
VisualDelaySeconds6=1
VisualDelaySeconds7=2
VisualDelaySeconds8=3
VisualDelaySeconds9=4
VisualDelaySeconds10=5

TargetScore0=Off
TargetScore1=On

GuideLinesType0=OFF
GuideLinesType1=CENTER
GuideLinesType2=BORDER

Gauge0=NORMAL
Gauge1=FLARE I
Gauge2=FLARE II
Gauge3=FLARE III
Gauge4=FLARE IV
Gauge5=FLARE V
Gauge6=FLARE VI
Gauge7=FLARE VII
Gauge8=FLARE VIII
Gauge9=FLARE IX
Gauge10=FLARE EX
Gauge11=FLOATING FLARE
Gauge12=LIFE4
Gauge13=RISKY

[OptionItemExplanations]
Speed0=화살표 스크롤 속도를\nx0.25로 설정합니다.
Speed1=화살표 스크롤 속도를\nx0.5로 설정합니다.
Speed2=화살표 스크롤 속도를\nx0.75로 설정합니다.
Speed3=화살표 스크롤 속도를\nx1로 설정합니다.
Speed4=화살표 스크롤 속도를\nx1.25로 설정합니다.
Speed5=화살표 스크롤 속도를\nx1.5로 설정합니다.
Speed6=화살표 스크롤 속도를\nx1.75로 설정합니다.
Speed7=화살표 스크롤 속도를\nx2로 설정합니다.
Speed8=화살표 스크롤 속도를\nx2.25로 설정합니다.
Speed9=화살표 스크롤 속도를\nx2.5로 설정합니다.
Speed10=화살표 스크롤 속도를\nx2.75로 설정합니다.
Speed11=화살표 스크롤 속도를\nx3로 설정합니다.
Speed12=화살표 스크롤 속도를\nx3.25로 설정합니다.
Speed13=화살표 스크롤 속도를\nx3.5로 설정합니다.
Speed14=화살표 스크롤 속도를\nx3.75로 설정합니다.
Speed15=화살표 스크롤 속도를\nx4로 설정합니다.
Speed16=화살표 스크롤 속도를\nx4.25로 설정합니다.
Speed17=화살표 스크롤 속도를\nx4.5로 설정합니다.
Speed18=화살표 스크롤 속도를\nx4.75로 설정합니다.
Speed19=화살표 스크롤 속도를\nx5로 설정합니다.
Speed20=화살표 스크롤 속도를\nx5.25로 설정합니다.
Speed21=화살표 스크롤 속도를\nx5.5로 설정합니다.
Speed22=화살표 스크롤 속도를\nx5.75로 설정합니다.
Speed23=화살표 스크롤 속도를\nx6로 설정합니다.
Speed24=화살표 스크롤 속도를\nx6.25로 설정합니다.
Speed25=화살표 스크롤 속도를\nx6.5로 설정합니다.
Speed26=화살표 스크롤 속도를\nx6.75로 설정합니다.
Speed27=화살표 스크롤 속도를\nx7로 설정합니다.
Speed28=화살표 스크롤 속도를\nx7.25로 설정합니다.
Speed29=화살표 스크롤 속도를\nx7.5로 설정합니다.
Speed30=화살표 스크롤 속도를\nx7.75로 설정합니다.
Speed31=화살표 스크롤 속도를\nx8로 설정합니다.

Accel0=화살표는 같은\n속도로 스크롤됩니다.
Accel1=화살이 가속화됩니다.
Accel2=화살의 속도가 느려진다.
Accel3=화살은 떠다니며 흔들린다.

AppearancePlus0=화살표가 나타납니다.
AppearancePlus1=화살표가 갑자기 사라집니다.
AppearancePlus2=화살표가 갑자기 나타납니다.
AppearancePlus3=화살표가 나타나지 않습니다.
AppearancePlus4=화면 상단의 화살표를 가리는 차선 커버를 표시합니다.
AppearancePlus5=화면 하단의 화살표를 가리는 차선 커버를 표시합니다.
AppearancePlus6=화면 상단과 하단의 화살표를 가리는 차선 커버를 표시합니다.
AppearancePlus7=화살표는 화면에 일정한 값으로 표시됩니다.

Turn0=계단은 원래 패턴을 그대로 유지합니다.
Turn1=계단이 180도 회전되었습니다.
Turn2=화살표는 시계 반대 방향으로 90도 회전합니다.
Turn3=화살표는 시계 방향으로 90도 회전합니다.
Turn4=계단의 방향은 무작위로 섞입니다.

Hide0=스텝존은 항상 표시됩니다.
Hide1=스텝존은 보이지 않습니다.

Scroll0=화살표는 아래에서 위로 스크롤됩니다.
Scroll1=화살표는 위에서 아래로 스크롤됩니다.

ArrowColor0=RAINBOW
ArrowColor1=NOTE
ArrowColor2=VIVID
ArrowColor3=FLAT
ArrowColor4=SMNOTE

Freeze0=차트에 FREEZE ARROWS가 포함되어 있습니다.
Freeze1=차트에서 FREEZE ARROWS가 제거되었습니다.

Jump0=여러 단계를 동시에 진행합니다.
Jump1=동시 단계를 제거합니다.

Cut0=풀 스텝 패턴을 사용하십시오.
Cut1=4 번째 음표 패턴을 사용하도록 자릅니다.
Cut2=4 번째와 8 번째 음표 패턴을 사용하기 위해 잘라냅니다.

ScreenFilter0=필터는 불투명도 0%에서 표시됩니다.
ScreenFilter1=필터는 불투명도 35%에서 표시됩니다.
ScreenFilter2=필터는 불투명도 65%에서 표시됩니다.
ScreenFilter3=필터는 불투명도 95%에서 표시됩니다.

ArrowType0=Normal
ArrowType1=Classic
ArrowType2=Cyber
ArrowType3=X
ArrowType4=Medium
ArrowType5=Small
ArrowType6=Dot

VisualDelaySeconds0=화살표 표시 타이밍을 조정하세요.\n입력이 Step Zone보다 느리다고 생각되면 값을 줄이세요.
VisualDelaySeconds1=화살표 표시 타이밍을 조정하세요.\n입력이 Step Zone보다 느리다고 생각되면 값을 줄이세요.
VisualDelaySeconds2=화살표 표시 타이밍을 조정하세요.\n입력이 Step Zone보다 느리다고 생각되면 값을 줄이세요.
VisualDelaySeconds3=화살표 표시 타이밍을 조정하세요.\n입력이 Step Zone보다 느리다고 생각되면 값을 줄이세요.
VisualDelaySeconds4=화살표 표시 타이밍을 조정하세요.\n입력이 Step Zone보다 느리다고 생각되면 값을 줄이세요.
VisualDelaySeconds5=화살표 표시 타이밍을 조정하세요.\n입력이 Step Zone보다 느리다고 생각되면 값을 줄이세요.
VisualDelaySeconds6=화살표 표시 타이밍을 조정하세요.\n입력이 Step Zone보다 느리다고 생각되면 값을 줄이세요.
VisualDelaySeconds7=화살표 표시 타이밍을 조정하세요.\n입력이 Step Zone보다 느리다고 생각되면 값을 줄이세요.
VisualDelaySeconds8=화살표 표시 타이밍을 조정하세요.\n입력이 Step Zone보다 느리다고 생각되면 값을 줄이세요.
VisualDelaySeconds9=화살표 표시 타이밍을 조정하세요.\n입력이 Step Zone보다 느리다고 생각되면 값을 줄이세요.
VisualDelaySeconds10=화살표 표시 타이밍을 조정하세요.\n입력이 Step Zone보다 느리다고 생각되면 값을 줄이세요.

TargetScore0=목표 점수는 표시되지 않습니다.
TargetScore1=목표 점수가 표시됩니다.

GuideLinesType0=가이드라인이 숨겨집니다.
GuideLinesType1=가이드라인은 비트를 중심으로 작성됩니다.
GuideLinesType2=가이드라인은 비트 경계를 표시합니다.

Gauge0=보통의 라이프 게이지입니다.
Gauge1=상급 플레이어를 위한 기능입니다. 댄스 게이지는 회복되지 않으며, Great 등급 이하에서는 감소합니다. (N.G.도 포함).\n추천 점수: 800,000
Gauge2=상급 플레이어를 위한 기능입니다. 댄스 게이지는 회복되지 않으며, Great 등급 이하에서는 감소합니다. (N.G.도 포함).\n추천 점수: 850,000
Gauge3=상급 플레이어를 위한 기능입니다. 댄스 게이지는 회복되지 않으며, Great 등급 이하에서는 감소합니다. (N.G.도 포함).\n추천 점수: 900,000
Gauge4=상급 플레이어를 위한 기능입니다. 댄스 게이지는 회복되지 않으며, Great 등급 이하에서는 감소합니다. (N.G.도 포함).\n추천 점수: 930,000
Gauge5=상급 플레이어를 위한 기능입니다. 댄스 게이지는 회복되지 않으며, Great 등급 이하에서는 감소합니다. (N.G.도 포함).\n추천 점수: 955,000
Gauge6=상급 플레이어를 위한 기능입니다. 댄스 게이지는 회복되지 않으며, Great 등급 이하에서는 감소합니다. (N.G.도 포함).\n추천 점수: 960,000
Gauge7=상급 플레이어를 위한 기능입니다. 댄스 게이지는 회복되지 않으며, Great 등급 이하에서는 감소합니다. (N.G.도 포함).\n추천 점수: 970,000
Gauge8=상급 플레이어를 위한 기능입니다. 댄스 게이지는 회복되지 않으며, Great 등급 이하에서는 감소합니다. (N.G.도 포함).\n추천 점수: 980,000
Gauge9=상급 플레이어를 위한 기능입니다. 댄스 게이지는 회복되지 않으며, Great 등급 이하에서는 감소합니다. (N.G.도 포함).\n추천 점수: 990,000
Gauge10=매우 숙련된 플레이어를 위한 게임입니다. 댄스 게이지는 회복되지 않으며, 퍼펙트 이하의 등급에서는 감소합니다. (N.G.도 포함).\n추천 점수: 995,000
Gauge11=이 게이지는 FLARE EX에서 시작하며, 게이지가 비어 있으면 더 낮은 레벨의 게이지로 전환되어 FLARE I에 도달합니다.
Gauge12=Miss 또는 N.G. 등급을 4개 이상 받으면 게임이 종료됩니다. 이 옵션은 상급 플레이어에게 적합합니다.
Gauge13=Miss 또는 N.G. 등급을 1개라도 받으면 게임이 종료됩니다.


[CustomDifficulty]
Beginner=BEGINNER
Easy=BASIC
Medium=DIFFICULT
Hard=EXPERT
Challenge=CHALLENGE
Edit=EDIT DATA
Couple=COUPLE
Routine=ROUTINE

[MusicWheel]
TitleText=노래 제목으로 선택하세요.
GenreText=장르를 선택하세요.
GroupText=그룹별로 선택하세요.
ArtistText=아티스트별로 선택하세요.
TopGradesText=CLEAR RANK로 선택하세요.
BPMText=BPM으로 선택하세요.
EasyMeterText=레벨별로 선택하세요.
PopularityText=HIT CHARTS에서 선택하세요.
LengthText=길이에 따라 선택하세요.
PreferredText=아케이드 그룹별로 선택하세요.

RecentText=최근에 재생한 항목을 선택하세요.
BeginnerMeterText=BEGINNER DIFFICULTY
HardMeterText=EXPERT DIFFICULTY
MediumMeterText=DIFFICULT DIFFICULTY
Portal=PORTAL
Random=RANDOM
Roulette=ROULETTE
ChallengeMeterText=CHALLENGE DIFFICULTY
SYSTEM=시스템 범주
GROUPTop=폴더를 열고 노래를 선택하세요!
GROUPBot=버전
CustomItemCrsText=Course
CustomItemCourseText=COURSE MODE

[Stage]
1st=1st
2nd=2nd
3rd=3rd
4th=4th
5th=5th
6th=6th
Next=Next
Final=FINAL
Extra1=EXTRA
Extra2=ENCORE EXTRA
Nonstop=NONSTOP
Oni=CHALLENGE
Endless=Endless
Event=EVENT
Demo=DEMO

[Headers]
Edit Courses=Edit Courses
Edit Steps=Edit Steps
Jukebox=Jukebox
Log In=Log In
Theme Options=Theme Options
Network Options=Network Options
Export Packages=Export Packages
Select Character=Select Character
Select Course=Select Course
Select Difficulty=Select Difficulty
Select Music=SELECT MUSIC
Select Style=SELECT STYLE
Set Time=Set Time
Summary=Summary
Test Input=Test Input
Results=RESULTS

[ScreenSelectStyle]
HelpText=
HeaderText=SELECT STYLE

[ScreenProfileSave]
Saving Profiles=
HeaderText=

[ScreenEditMenu]
HelpText=

[ScreenSyncOverlay]
AutoPlay=AutoPlay turned on, score will not be saved.
AutoPlayCPU=AutoPlayCPU turned on, score will not be saved.
AutoSync Machine=AutoSync Machine
AutoSync Song=AutoSync Song
AutoSync Tempo=AutoSync Tempo
Can't sync while playing a course.=Can't sync while playing a course.
Sync changes reverted.=Sync changes reverted.
revert_sync_changes=Revert sync changes
change_bpm=Current BPM - smaller/larger
change_song_offset=Song offset - notes earlier/later
change_machine_offset=Machine offset - notes earlier/later
hold_alt=(hold Alt for smaller increment)
Old offset=Old offset
New offset=New offset
Collecting sample=Collecting sample
Standard deviation=Standard deviation

[Food]
Peanut=땅콩
Orange=주황색
Grape=포도
Kiwi=키위
Banana=바나나
Egg=날달걀
Apple=사과
Milk=소의 우유 (200g)
Onigiri=우메 오니기리
Pudding=푸딩
Rice=쌀 (150g)
Daifuku=오후쿠
Creampuff=크림 퍼프
Stew=쇠고기 스튜
Cake=케이크
Karaage=가라아게 (120g)
Tonkatsu=돈까스 (100g)
Pizza=피자
Pilaf=새우 필라프 (200g)
Ramen=라면
Chaahan=고모쿠 차아한 (160g)
Cheeseburger=치즈버거
Carbonara=스파게티 카르보나라
Oyakodon=오야코동
Gyuudon=쇠고기 덮밥
Curryrice=돼지고기 카레 라이스
Omurice=오므라이스
Hayashi=하야시 라이스
Katsudon=가츠동

AC Score Tracker: DDR EXTREME // SN2 (JP)
My username in these games:
DDR(1st)-EXTREME: VRC
StepMania 3.9+ REDUX: VRC
DDR Supernova onwards / IIDX ID: VR0
Register Log In Back To Forums

0 User(s) Viewing This Thread (Past 15 Minutes)

©2006-2025 Zenius -I- vanisher.com -5th style- IIPrivacy Policy
Web Server: 15% · Database: 24% · Server Time: 2025-07-06 07:09:13
This page took 0.027 seconds to execute.
Theme: starlight · Language: englishuk
Reset Theme & Language