├── .gitignore
├── README.md
├── mtranslate.fsx
├── zh-Hant.lproj
└── Localizable.strings
├── zh-Hans.lproj
└── Localizable.strings
├── ja.lproj
└── Localizable.strings
├── Base.lproj
└── Localizable.strings
├── de.lproj
└── Localizable.strings
├── it.lproj
└── Localizable.strings
├── fr.lproj
└── Localizable.strings
├── es.lproj
└── Localizable.strings
├── ru.lproj
└── Localizable.strings
├── pt-BR.lproj
└── Localizable.strings
├── pt-PT.lproj
└── Localizable.strings
└── LICENSE
/.gitignore:
--------------------------------------------------------------------------------
1 | *.DS_Store
2 | /.vscode
3 | /key
4 | bin
5 | obj
6 |
--------------------------------------------------------------------------------
/README.md:
--------------------------------------------------------------------------------
1 | # iCircuit Language Translations
2 |
3 | [iCircuit](http://icircuitapp.com) is used all around the world in a variety
4 | of languages.
5 |
6 | I would like to ask for your help translating it to
7 | as many of those languages as possible.
8 |
9 | If you spot an error in a translation, please open a pull request with the correction - you will be helping many people and I'll be sure to thank you in the app!
10 |
11 | Please also feel free to start a new language translation.
12 |
13 | Thank you very much for your help!
14 |
15 |
16 |
17 |
18 |
19 | ## Supported Languages
20 |
21 | | Language | ID | Status |
22 | |--|--|--|
23 | |[English](Base.lproj/Localizable.strings)|Base|✅|
24 | |[Japanese](ja.lproj/Localizable.strings)|ja|❗️|
25 | |[German](de.lproj/Localizable.strings)|de|✅|
26 | |[Chinese (Simplified)](zh-Hans.lproj/Localizable.strings)|zh-Hans|✅|
27 | |[Chinese (Traditional)](zh-Hant.lproj/Localizable.strings)|zh-Hant|❗️|
28 | |[Spanish](es.lproj/Localizable.strings)|es|✅|
29 | |[Italian](it.lproj/Localizable.strings)|it|❗️|
30 | |[Russian](ru.lproj/Localizable.strings)|ru|✅|
31 | |[French](fr.lproj/Localizable.strings)|fr|✅|
32 | |[Portuguese (Brazil)](pt-BR.lproj/Localizable.strings)|pt-BR|✅|
33 | |[Portuguese (Portugal)](pt-PT.lproj/Localizable.strings)|pt-PT|✅|
34 |
35 | (Sorted by app usage.)
36 |
37 |
38 |
39 | ## Style Guide
40 |
41 | ### Keep things short
42 |
43 | Most of the text is presented in dialog boxes on phones so keeping
44 | translations short is preferable to being verbose.
45 |
46 | Acronymns, initialisms, and common abbreviations are all welcome so long
47 | as they would be recognized by beginners in electronics.
48 |
49 | ### Prefer spaces over hyphenations
50 |
51 | If compound words can either be hyphenated or combined with space,
52 | prefer space. This is to help the rendering engine layout text properly.
53 |
54 | ### Use Title Casing
55 |
56 | Most of the words are presented at title of things that can be modified.
57 | In English, this means most words get capitalized. Please use the right
58 | form of titling for the language.
59 |
60 |
61 |
62 | ### Weird Words
63 |
64 | * **AM** is short for "Amplitude Modulation"
65 | * **Autowire** is short for "keep components connected during movement by automatically re-routing wires"
66 | * **Current** is electrical current
67 | * **DC Rail** is often seen in the context of Operational Amplifiers. The "rail" refers to a maximum (or minimum) that the amplifier can achieve. They're DC because they are power and don't affect the signal.
68 | * **Fwd Voltage @ 1A** is the Forward Voltage (or Bias) of a Diode when 1A of current is traveling through it. https://en.wikipedia.org/wiki/Diode#Forward_bias
69 | * **Monospace** refers to a single width Font (all letters consume the same horizontal space). It's used in programming and looks like what a type writer produces.
70 | * **Off Resistance (Ω)** is how much resistance a Relay provides when it is in the Off state.
71 | * **On Resistance (Ω)** is how much resistance a Relay provides when it is in the On state.
72 |
73 |
74 |
75 | ## Machine Auto-translation
76 |
77 | The script `mtranslate.fsx` is used to automatically translate missing
78 | words and was used to build the initial translations.
79 |
80 | It can be run with the following command:
81 |
82 | ```bash
83 | fsharpi --lib:$HOME/.nuget/packages/newtonsoft.json/11.0.2/lib/net45 --exec mtranslate.fsx
84 | ```
85 |
--------------------------------------------------------------------------------
/mtranslate.fsx:
--------------------------------------------------------------------------------
1 | /// Translates words missing from languages using
2 | /// Microsoft's Cognitive Services
3 |
4 | #r "Newtonsoft.Json.dll"
5 | #r "System.Net.Http"
6 |
7 | open System
8 | open System.IO
9 | open System.Net.Http
10 | open System.Text
11 | open Newtonsoft.Json
12 |
13 | let cognitiveKey = System.IO.File.ReadAllText("key").Trim()
14 |
15 | type Language = { Name : string; Microsoft : string; Apple : string }
16 |
17 | let langs = [
18 | { Name = "English"; Microsoft = "en"; Apple = "Base" }
19 | { Name = "Chinese Simplified"; Microsoft = "zh-Hans"; Apple = "zh-Hans" }
20 | { Name = "Chinese Traditional"; Microsoft = "zh-Hant"; Apple = "zh-Hant" }
21 | { Name = "French"; Microsoft = "fr"; Apple = "fr" }
22 | { Name = "German"; Microsoft = "de"; Apple = "de" }
23 | { Name = "Italian"; Microsoft = "it"; Apple = "it" }
24 | { Name = "Japanese"; Microsoft = "ja"; Apple = "ja" }
25 | { Name = "Russian"; Microsoft = "ru"; Apple = "ru" }
26 | { Name = "Spanish"; Microsoft = "es"; Apple = "es" }
27 | { Name = "Portuguese (Brazil)"; Microsoft = "pt"; Apple = "pt-BR" }
28 | { Name = "Portuguese (Portugal)"; Microsoft = "pt"; Apple = "pt-PT" }
29 | ]
30 |
31 | type TranslationReq = { Text : string }
32 | type Translation = { Text : string; To : string }
33 | type Translations = { Translations : Translation list }
34 |
35 | let client = new HttpClient ()
36 |
37 | let translate (texts : string seq) =
38 | let host = "https://api.cognitive.microsofttranslator.com"
39 | let path = "/translate?api-version=3.0"
40 | let params_ = "&from=en&" + String.Join ("&", langs |> List.map (fun x -> x.Microsoft) |> List.map (sprintf "to=%s"))
41 | let uri = Uri (host + path + params_)
42 | let translateChunk (chunk : string seq) =
43 | let requestBody = chunk |> Seq.map (fun text -> { Text = text }) |> JsonConvert.SerializeObject
44 | use request = new HttpRequestMessage (Method = HttpMethod.Post,
45 | RequestUri = uri,
46 | Content = new StringContent (requestBody, Encoding.UTF8, "application/json"))
47 | request.Headers.Add ("Ocp-Apim-Subscription-Key", cognitiveKey)
48 | let response = client.SendAsync(request).Result
49 | let responseBody = response.Content.ReadAsStringAsync().Result
50 | JsonConvert.DeserializeObject (responseBody)
51 | |> Seq.zip chunk
52 | |> Seq.map (fun (en, ts) -> (en, ts.Translations |> Seq.map (fun x -> (x.To, x.Text)) |> Map.ofSeq))
53 | texts |> Seq.chunkBySize 25 |> Seq.collect translateChunk |> Map.ofSeq
54 |
55 | let stringsPath lang =
56 | let dir = lang.Apple + ".lproj"
57 | Path.Combine (dir, "Localizable.strings")
58 |
59 | let path = stringsPath langs.Head
60 |
61 | let readStrings path =
62 | if File.Exists path then
63 | File.ReadAllLines (path, Encoding.UTF8)
64 | |> Seq.map (fun x -> x.Trim ())
65 | |> Seq.filter (fun x -> x.Length > 0)
66 | |> Seq.map (fun x -> x.Split ('\"'))
67 | |> Seq.filter (fun x -> x.Length = 5)
68 | |> Seq.map (fun x -> x.[1].Replace("\\n","\n").Trim (), x.[3].Replace("\\n","\n").Trim ())
69 | |> Seq.filter (fun (_, x) -> x.Length > 0)
70 | |> Map.ofSeq
71 | else
72 | Map.empty
73 |
74 | let langStrings = langs |> Seq.map (fun x -> x, x |> stringsPath |> readStrings) |> Map.ofSeq
75 |
76 | let uniqueKeys =
77 | langStrings
78 | |> Seq.collect (fun x -> x.Value |> Seq.map (fun x -> x.Key))
79 | |> Seq.distinct
80 | |> Seq.sort
81 | |> Array.ofSeq
82 |
83 | let needTranslateKeys =
84 | // uniqueKeys
85 | let langIsMissingKey key =
86 | langs
87 | |> Seq.exists (fun x -> langStrings.[x].ContainsKey key |> not)
88 | uniqueKeys |> Array.filter langIsMissingKey
89 |
90 | let translations = needTranslateKeys |> translate
91 |
92 | Console.OutputEncoding <- UnicodeEncoding.UTF8
93 | let conflict lang (key : string) (oldt : string) (newt : string) =
94 | Console.Write "Conflict "
95 | Console.ForegroundColor <- ConsoleColor.Yellow
96 | Console.Write "en="
97 | Console.Write key
98 | Console.Write " "
99 | Console.ForegroundColor <- ConsoleColor.Cyan
100 | Console.Write lang.Apple
101 | Console.Write "="
102 | Console.Write oldt
103 | Console.Write " "
104 | Console.ForegroundColor <- ConsoleColor.Magenta
105 | Console.Write lang.Apple
106 | Console.Write "="
107 | Console.WriteLine newt
108 | Console.ResetColor ()
109 | let merge lang (key : string) (newt : string) =
110 | Console.Write "Merge "
111 | Console.ForegroundColor <- ConsoleColor.Yellow
112 | Console.Write "en="
113 | Console.Write key
114 | Console.Write " "
115 | Console.ForegroundColor <- ConsoleColor.Green
116 | Console.Write lang.Apple
117 | Console.Write "="
118 | Console.WriteLine newt
119 | Console.ResetColor ()
120 |
121 | let translatedLangStrings =
122 | langs
123 | |> Seq.map (fun lang ->
124 | let s = langStrings.[lang]
125 | lang, uniqueKeys
126 | |> Seq.choose (fun k ->
127 | if s.ContainsKey k then
128 | if translations.ContainsKey k && translations.[k].ContainsKey lang.Microsoft && (s.[k].Equals (translations.[k].[lang.Microsoft], StringComparison.InvariantCultureIgnoreCase) |> not) then
129 | conflict lang k s.[k] translations.[k].[lang.Microsoft]
130 | (k, s.[k]) |> Some
131 | elif translations.ContainsKey k && translations.[k].ContainsKey lang.Microsoft then
132 | merge lang k translations.[k].[lang.Microsoft]
133 | (k, translations.[k].[lang.Microsoft]) |> Some
134 | else None)
135 | |> Map.ofSeq)
136 | |> Map.ofSeq
137 |
138 | let writeTranslations lang =
139 | let path = stringsPath lang
140 | let dir = Path.GetDirectoryName path
141 | if Directory.Exists dir |> not then
142 | Directory.CreateDirectory (dir) |> ignore
143 | use w = new StreamWriter (path, false, Encoding.UTF8)
144 | for k in uniqueKeys do
145 | if translatedLangStrings.[lang].ContainsKey k then
146 | w.WriteLine (sprintf "\"%s\" = \"%s\";" k translatedLangStrings.[lang].[k])
147 |
148 | langs |> Seq.iter writeTranslations
149 |
--------------------------------------------------------------------------------
/zh-Hant.lproj/Localizable.strings:
--------------------------------------------------------------------------------
1 | "AC" = "交流";
2 | "AC Source" = "交流電源";
3 | "ADC" = "ADC";
4 | "AM" = "是";
5 | "AM Antenna" = "AM天線";
6 | "AND Gate" = "和門";
7 | "Accelerometer" = "加速度 計";
8 | "Active" = "積極";
9 | "Add tracks by tapping signals in the meter" = "Add tracks by tapping signals in the meter";
10 | "Amplifier" = "放大 器";
11 | "Amplitude (V)" = "振幅 (V)";
12 | "Analog" = "類比";
13 | "Analog Switch" = "類比開關";
14 | "Angle to Sun (deg)" = "太陽的角度 (°)";
15 | "Anode" = "陽極";
16 | "Appearance" = "外觀";
17 | "Arduino" = "阿杜伊諾";
18 | "Auto Add Selected" = "自動添加所選內容";
19 | "Auto Duration" = "自動持續時間";
20 | "Auto Values" = "自動值";
21 | "Automatic Bandwidth" = "自動頻寬";
22 | "Autowire" = "自動路線";
23 | "Avg" = "Avg";
24 | "BCD to 7-Segment Decoder" = "BCD到7段解碼器";
25 | "BJT Transistor" = "bjt 電晶體";
26 | "BJT Transistor (NPN)" = "bjt 電晶體 (NPN)";
27 | "BJT Transistor (PNP)" = "bjt 電晶體 (PNP)";
28 | "Bandwidth (Hz)" = "頻寬 (hz)";
29 | "Beta" = "試用版";
30 | "Beta/hFE" = "Beta/hFE";
31 | "Bidirectional" = "雙向";
32 | "Bits" = "位";
33 | "Blue" = "藍色";
34 | "Blue (%)" = "藍色 (%)";
35 | "Bold" = "大膽";
36 | "Bubble" = "泡沫";
37 | "Buzzer" = "蜂鳴器";
38 | "Capacitance" = "電容";
39 | "Capacitance (F)" = "電容 (F)";
40 | "Capacitor" = "電容器";
41 | "Carrier Amplitude (V)" = "載波振幅 (V)";
42 | "Carrier Frequency (Hz)" = "載波頻率 (Hz)";
43 | "Cathode" = "陰極";
44 | "Center" = "中心";
45 | "Center Off" = "中心關閉";
46 | "Circuit" = "電路";
47 | "Circuit Settings" = "電路設置";
48 | "Closed" = "關閉";
49 | "Code" = "代碼";
50 | "Coil Inductance (H)" = "線圈電感 (H)";
51 | "Coil Resistance (Ω)" = "線圈電阻 (Ω)";
52 | "Coil Voltage (V)" = "線圈電壓 (V)";
53 | "Color" = "顏色";
54 | "Colpitts Oscillator" = "科爾皮茨振盪器";
55 | "Contributors" = "貢獻";
56 | "Conventional Direction" = "常規方向";
57 | "Cooldown Time (s)" = "冷卻時間";
58 | "Counter" = "計數器";
59 | "Coupling Coefficient (%)" = "耦合係數 (%)";
60 | "Crystal Oscillator" = "晶體振盪器";
61 | "Current" = "當前";
62 | "Current (A)" = "電流 (A)";
63 | "Current Dots" = "當前點";
64 | "Current Rating (A)" = "額定電流 (A)";
65 | "D Flip-flop" = "D觸發器";
66 | "DAC" = "DAC";
67 | "DC" = "直流";
68 | "DC Current Source" = "直流電流源";
69 | "DC Motor" = "直流電動機";
70 | "DC Offset" = "直流偏移";
71 | "DC Rail" = "直流鐵路";
72 | "DC Source" = "直流電源";
73 | "Dark Mode" = "黑暗模式";
74 | "Datasheet" = "資料手冊";
75 | "Delete" = "刪除";
76 | "Dependent" = "依賴";
77 | "Dependent Current Source" = "相關電流源";
78 | "Dependent Source" = "依賴源";
79 | "Differential Voltage" = "差分電壓";
80 | "Digital" = "數位";
81 | "Digital Symbol" = "數位記號";
82 | "Digitized Accelerometer" = "數位化加速度計";
83 | "Diode" = "二極體";
84 | "Double-throw (DT)" = "雙擲 (DT)";
85 | "Drag to complete the wire" = "拖動以完成電線";
86 | "Draw Border" = "繪製邊框";
87 | "Duration (s)" = "持續時間";
88 | "Duty Cycle (%)" = "占空比 (%)";
89 | "Edit" = "編輯";
90 | "Electron Direction" = "電子方向";
91 | "Email Support" = "電子郵件支援";
92 | "Enable Anonymous Analytics" = "啟用匿名分析";
93 | "End" = "結束";
94 | "Examples" = "例子";
95 | "Export" = "出口";
96 | "Expression" = "表達";
97 | "FM" = "調頻";
98 | "FM Antenna" = "調頻天線";
99 | "Flip X" = "翻轉 X";
100 | "Flip Y" = "翻轉 Y";
101 | "Flipped" = "翻轉";
102 | "ForwardVoltage" = "正向電壓";
103 | "Free Running Current" = "自由運行電流";
104 | "Free Running RPM" = "免費運行 RPM";
105 | "Freq" = "Freq";
106 | "Frequencies" = "Frequencies";
107 | "Frequency (Hz)" = "頻率 (赫茲)";
108 | "Frequency Deviation (Hz)" = "頻率偏差 (Hz)";
109 | "Fuse" = "保險絲";
110 | "Fwd Voltage @ 1A" = "fwd 電壓 @ 1A";
111 | "Gate-Cathode Resistance (Ω)" = "門陰極電阻 (Ω)";
112 | "Gauge" = "表";
113 | "GitHub is used to coordinate the translation effort." = "github 用於協調翻譯工作。";
114 | "Green" = "綠色";
115 | "Green (%)" = "綠色 (%)";
116 | "Ground" = "地面";
117 | "H-Bridge" = "h 橋";
118 | "HEF4000B Datasheet" = "HEF4000B資料手冊";
119 | "Height" = "高度";
120 | "Help Translate" = "説明翻譯";
121 | "Holding Current (A)" = "保持電流 (A)";
122 | "Horizontal" = "水準";
123 | "I promise to read all your feedback but I can't guarantee a response to every email. Sorry!" = "我保證閱讀你所有的回饋, 但我不能保證每封電子郵件都能得到回復。對不起!";
124 | "IC" = "IC";
125 | "IEC Symbols" = "IEC符號";
126 | "In order to improve iCircuit, anonymous usage data can be collected and sent to the developer. This data includes which elements you add, which properties you set (not including values), and what errors occur. To opt out of this, tap the option to turn it off (unchecked)." = "為了改進 iproc, 可以收集匿名使用資料並將其發送給開發人員。此資料包括添加的元素、設置的屬性 (不包括值) 以及發生的錯誤。要退出宣告此選項, 請點擊該選項將其關閉 (未選中)。";
127 | "Inductance" = "電感";
128 | "Inductance (H)" = "電感 (H)";
129 | "Inductor" = "電感";
130 | "Inertia" = "慣性";
131 | "Internal Resistance (Ω)" = "內阻 (Ω)";
132 | "Inverter" = "逆變器";
133 | "JK Flip-flop" = "JK觸發器";
134 | "LED" = "導致";
135 | "LM317 Voltage Regulator" = "LM317穩壓器";
136 | "Lamp" = "燈";
137 | "Led" = "導致";
138 | "Library Filter" = "庫篩選器";
139 | "Light (lux)" = "光 (勒克斯)";
140 | "Light Mode" = "燈光模式";
141 | "Line Over" = "線路結束";
142 | "Logarithmic" = "對數";
143 | "Max" = "Max";
144 | "Max Freq" = "Max Freq";
145 | "Max Frequency (Hz)" = "最大頻率 (Hz)";
146 | "Max Output (V)" = "最大輸出 (V)";
147 | "Max Resistance (Ω)" = "最大電阻 (Ω)";
148 | "Max Value" = "最大值";
149 | "Max Voltage" = "最大電壓";
150 | "MaxCurrent" = "最大電流";
151 | "MaxPower" = "maxpower";
152 | "MaxVoltage" = "最大電壓";
153 | "Measure" = "措施";
154 | "Microphone" = "麥克風";
155 | "Min" = "Min";
156 | "Min Frequency (Hz)" = "最小頻率 (Hz)";
157 | "Min Output (V)" = "最小輸出 (V)";
158 | "Min Value" = "最小值";
159 | "Modulation" = "調製";
160 | "Momentary" = "瞬間";
161 | "Monospace" = "單空間";
162 | "Motion Capacitance (F)" = "運動電容 (F)";
163 | "NAND Gate" = "NAND門";
164 | "NOR Gate" = "NOR門";
165 | "Name" = "名字";
166 | "No Tracks to Display" = "No Tracks to Display";
167 | "No power (VIN)" = "無電源 (VIN)";
168 | "Nominal Power" = "標稱功率";
169 | "Nominal Voltage" = "額定電壓";
170 | "None" = "沒有";
171 | "Normally-closed" = "正常關閉";
172 | "Normally-closed (NC)" = "正閉合 (NC)";
173 | "Normally-open (NO)" = "正常開放 (NO)";
174 | "Num Inputs" = "num 輸入";
175 | "Num Primary Windings" = "小學繞組";
176 | "Num Secondary Windings" = "num 二次繞組";
177 | "Num Switches" = "num 開關";
178 | "OR Gate" = "OR門";
179 | "Off Resistance (Ω)" = "關機電阻 (Ω)";
180 | "On Resistance (Ω)" = "電阻 (Ω)";
181 | "Online Resources" = "線上資源";
182 | "Op-amp" = "奧普";
183 | "Open" = "打開";
184 | "Open Circuit Voltage" = "開路電壓";
185 | "Orientation" = "取向";
186 | "P-P" = "P-P";
187 | "Paused" = "Paused";
188 | "Peak Amplitude (V)" = "峰值振幅 (V)";
189 | "Phase Offset (deg)" = "相位偏移 (°)";
190 | "Photoresistor" = "光刻膠";
191 | "Pin Number" = "引筆號碼";
192 | "Polarized" = "極化";
193 | "Port" = "港口";
194 | "Ports" = "港口";
195 | "Position" = "位置";
196 | "Potentiometer" = "電位器";
197 | "Power" = "權力";
198 | "Primary Inductance (H)" = "主電感 (H)";
199 | "Pulse" = "脈衝";
200 | "Quality Factor" = "品質因素";
201 | "RMS" = "RMS";
202 | "Recording" = "Recording";
203 | "Red" = "紅";
204 | "Red (%)" = "紅色 (%)";
205 | "Relay" = "繼 電器";
206 | "Resistance" = "電阻";
207 | "Resistance (Ω)" = "電阻 (Ω)";
208 | "Resistor" = "電阻";
209 | "Restore Examples" = "還原示例";
210 | "Reverse Polarity" = "反向極性";
211 | "Review on the App Store" = "在應用商店上查看";
212 | "SCR" = "SCR";
213 | "SPDT Analog Switch" = "類比開關";
214 | "SPDT Switch" = "開關";
215 | "SPST Push Switch" = "spst 推送開關";
216 | "SPST Switch" = "spst 開關";
217 | "Sawtooth" = "鋸齒";
218 | "Scope" = "範圍";
219 | "Series Resistance" = "系列電阻";
220 | "Servo Motor" = "伺服電機";
221 | "Settings" = "設置";
222 | "Short Circuit Current" = "短路電流";
223 | "Show Console" = "顯示主控台";
224 | "Show Current" = "顯示當前";
225 | "Show Grid" = "顯示網格";
226 | "Show Ground" = "展示場地";
227 | "Show Value" = "顯示值";
228 | "Show Values" = "顯示值";
229 | "Show Voltage" = "顯示電壓";
230 | "Shunt Capacitance (F)" = "並聯電容 (F)";
231 | "Signal Frequency (Hz)" = "信號頻率 (Hz)";
232 | "Silicon" = "矽";
233 | "Singular matrix!" = "奇異矩陣!";
234 | "Size" = "大小";
235 | "Slew Rate (V/ns)" = "回轉率 (V/ns)";
236 | "Solar Cell" = "太陽能電池";
237 | "Sources" = "來源";
238 | "Speaker" = "揚聲器";
239 | "Square Wave" = "方波";
240 | "Square Wave Source" = "方波光源";
241 | "Stacked" = "堆疊";
242 | "Stall Current" = "止損電流";
243 | "Stall Torque (oz in)" = "停止扭矩 (oz in)";
244 | "Start" = "開始";
245 | "Stepper Motor" = "步進電機";
246 | "Subcircuit" = "子電路";
247 | "Suggest an Improvement" = "建議改進";
248 | "Supply Voltage" = "電源電壓";
249 | "Swap" = "交換";
250 | "Sweep (linear)" = "掃描 (線性)";
251 | "Sweep Time (s)" = "掃描時間";
252 | "Tap elements to delete" = "點擊要刪除的元素";
253 | "Tapped Transformer" = "攻絲變壓器";
254 | "Temperature (K)" = "溫度 (K)";
255 | "Text" = "文本";
256 | "Thank you for your help!" = "謝謝你的説明!";
257 | "Theme" = "主題";
258 | "Thermistor" = "熱敏電阻";
259 | "Threshold Voltage" = "閾值電壓";
260 | "Touch and drag to draw wires" = "觸摸和拖動以繪製電線";
261 | "Transformer" = "變壓器";
262 | "Transistor" = "電晶體";
263 | "Translations on Github" = "吉圖布的翻譯";
264 | "Triangle" = "三角形";
265 | "Trigger" = "Trigger";
266 | "Trigger Current (A)" = "觸發電流 (A)";
267 | "Triggered" = "Triggered";
268 | "Type" = "類型";
269 | "Val" = "Val";
270 | "Value" = "價值";
271 | "Vertical" = "垂直";
272 | "Voltage" = "電壓";
273 | "Voltage @ 1g" = "電壓 @ 1g";
274 | "Voltage Color" = "電壓顏色";
275 | "Warmup Time (s)" = "預熱時間";
276 | "Waveform" = "波形";
277 | "Width" = "寬度";
278 | "WikipediaUrl" = "維琪百科";
279 | "Wire" = "線";
280 | "Wire loop with no resistance!" = "沒有電阻的電線環路!";
281 | "XOR Gate" = "xor 門";
282 | "Your review is very much appreciated!" = "非常感謝您的評論!";
283 | "Zener Diode" = "齊納二極體";
284 | "Zener Voltage @ 5mA" = "zener 電壓 @ 5ma";
285 | "cutoff" = "截止";
286 | "fwd active" = "fwd 活動";
287 | "iCircuit Manual" = "iCircuit手冊";
288 | "iCircuit Website" = "iCircuit網站";
289 | "iCircuit is translated into several languages thanks to volunteers." = "在志願者的説明下, iecorc 被翻譯成了幾種語言。";
290 | "on Wikipedia" = "在維琪百科";
291 |
--------------------------------------------------------------------------------
/zh-Hans.lproj/Localizable.strings:
--------------------------------------------------------------------------------
1 | "AC" = "交流";
2 | "AC Source" = "交流电源";
3 | "ADC" = "模数转换器";
4 | "AM" = "调幅";
5 | "AM Antenna" = "调幅天线";
6 | "AND Gate" = "与门";
7 | "Accelerometer" = "加速度计";
8 | "Active" = "活动";
9 | "Add tracks by tapping signals in the meter" = "在器件状态上点击相应指标以增加信道";
10 | "Amplifier" = "放大器";
11 | "Amplitude (V)" = "振幅 (V)";
12 | "Analog" = "模拟器件";
13 | "Analog Switch" = "模拟开关";
14 | "Angle to Sun (deg)" = "太阳高度角 (deg)";
15 | "Anode" = "阳极";
16 | "Appearance" = "外观";
17 | "Arduino" = "Arduino";
18 | "Auto Add Selected" = "自动添加所选内容";
19 | "Auto Duration" = "自动调整时长";
20 | "Auto Values" = "自动调整值显示范围";
21 | "Automatic Bandwidth" = "自动调整带宽";
22 | "Autowire" = "自动连线";
23 | "Avg" = "Avg";
24 | "BCD to 7-Segment Decoder" = "BCD-7段译码器";
25 | "BJT Transistor" = "双极晶体管";
26 | "BJT Transistor (NPN)" = "双极晶体管 (NPN)";
27 | "BJT Transistor (PNP)" = "双极晶体管 (PNP)";
28 | "Bandwidth (Hz)" = "带宽 (Hz)";
29 | "Beta" = "β";
30 | "Beta/hFE" = "β/hFE";
31 | "Bidirectional" = "双向扫描";
32 | "Bits" = "位数";
33 | "Blue" = "蓝色";
34 | "Blue (%)" = "蓝色 (%)";
35 | "Bold" = "粗体";
36 | "Bubble" = "否定指示器 (小圆圈)";
37 | "Buzzer" = "蜂鸣器";
38 | "Capacitance" = "电容";
39 | "Capacitance (F)" = "电容 (F)";
40 | "Capacitor" = "电容";
41 | "Carrier Amplitude (V)" = "载波振幅 (V)";
42 | "Carrier Frequency (Hz)" = "载波频率 (Hz)";
43 | "Cathode" = "阴极";
44 | "Center" = "居中";
45 | "Center Off" = "带中间悬空档";
46 | "Circuit" = "电路";
47 | "Circuit Settings" = "电路设置";
48 | "Closed" = "闭合";
49 | "Code" = "代码";
50 | "Coil Inductance (H)" = "线圈电感 (H)";
51 | "Coil Resistance (Ω)" = "线圈电阻 (Ω)";
52 | "Coil Voltage (V)" = "线圈电压 (V)";
53 | "Color" = "颜色";
54 | "Colpitts Oscillator" = "考毕兹振荡器";
55 | "Contributors" = "贡献者";
56 | "Conventional Direction" = "常规方向";
57 | "Cooldown Time (s)" = "冷却时间 (s)";
58 | "Counter" = "计数器";
59 | "Coupling Coefficient (%)" = "耦合系数 (%)";
60 | "Crystal Oscillator" = "晶体振荡器";
61 | "Current" = "电流";
62 | "Current (A)" = "电流 (A)";
63 | "Current Dots" = "电流指示点";
64 | "Current Rating (A)" = "额定电流 (A)";
65 | "D Flip-flop" = "D 触发器";
66 | "DAC" = "数模转换器";
67 | "DC" = "直流";
68 | "DC Current Source" = "直流电流源";
69 | "DC Motor" = "直流电动机";
70 | "DC Offset" = "直流偏置";
71 | "DC Rail" = "直流电源轨";
72 | "DC Source" = "直流电源";
73 | "Dark Mode" = "暗模式";
74 | "Datasheet" = "数据手册";
75 | "Delete" = "删除";
76 | "Dependent" = "受控源";
77 | "Dependent Current Source" = "受控电流源";
78 | "Dependent Source" = "受控源";
79 | "Differential Voltage" = "差分电压";
80 | "Digital" = "数字器件";
81 | "Digital Symbol" = "数字符号";
82 | "Digitized Accelerometer" = "数字化加速度计";
83 | "Diode" = "二极管";
84 | "Double-throw (DT)" = "双掷 (DT)";
85 | "Drag to complete the wire" = "拖动以完成导线";
86 | "Draw Border" = "绘制边框";
87 | "Duration (s)" = "时长 (s)";
88 | "Duty Cycle (%)" = "占空比 (%)";
89 | "Edit" = "编辑";
90 | "Electron Direction" = "电子方向";
91 | "Email Support" = "电子邮件支持";
92 | "Enable Anonymous Analytics" = "启用匿名分析";
93 | "End" = "结束";
94 | "Examples" = "例子";
95 | "Export" = "导出";
96 | "Expression" = "表达式";
97 | "FM" = "调频";
98 | "FM Antenna" = "调频天线";
99 | "Flip X" = "横向翻转";
100 | "Flip Y" = "纵向翻转";
101 | "Flipped" = "上下翻转";
102 | "ForwardVoltage" = "正向电压";
103 | "Free Running Current" = "空载运行电流";
104 | "Free Running RPM" = "空载运行转速 (RPM)";
105 | "Freq" = "Freq";
106 | "Frequencies" = "频域";
107 | "Frequency (Hz)" = "频率 (Hz)";
108 | "Frequency Deviation (Hz)" = "频偏 (Hz)";
109 | "Fuse" = "熔丝";
110 | "Fwd Voltage @ 1A" = "正向压降 @ 1A";
111 | "Gate-Cathode Resistance (Ω)" = "门极电阻 (Ω)";
112 | "Gauge" = "仪表";
113 | "GitHub is used to coordinate the translation effort." = "GitHub 用于协调翻译工作。";
114 | "Green" = "绿色";
115 | "Green (%)" = "绿色 (%)";
116 | "Ground" = "接地";
117 | "H-Bridge" = "H 桥";
118 | "HEF4000B Datasheet" = "HEF4000B 数据手册";
119 | "Height" = "高度";
120 | "Help Translate" = "帮助翻译";
121 | "Holding Current (A)" = "保持电流 (A)";
122 | "Horizontal" = "水平";
123 | "I promise to read all your feedback but I can't guarantee a response to every email. Sorry!" = "我保证阅读你所有的反馈, 但我不能保证每封电子邮件都能得到回复。对不起!";
124 | "IC" = "集成电路型号";
125 | "IEC Symbols" = "IEC 符号";
126 | "In order to improve iCircuit, anonymous usage data can be collected and sent to the developer. This data includes which elements you add, which properties you set (not including values), and what errors occur. To opt out of this, tap the option to turn it off (unchecked)." = "为了改进 iCircuit, 允许收集匿名使用数据并将其发送给开发人员。此数据包括添加的元素、设置的属性 (不包括值) 以及发生的错误。要退出改进计划, 请点击该选项将其关闭 (不选中)。";
127 | "Inductance" = "电感";
128 | "Inductance (H)" = "电感 (H)";
129 | "Inductor" = "电感";
130 | "Inertia" = "转动惯量";
131 | "Internal Resistance (Ω)" = "内阻 (Ω)";
132 | "Inverter" = "反相器";
133 | "JK Flip-flop" = "JK 触发器";
134 | "LED" = "发光二极管";
135 | "LM317 Voltage Regulator" = "LM317 稳压器";
136 | "Lamp" = "灯泡";
137 | "Led" = "发光二极管";
138 | "Library Filter" = "元件库筛选";
139 | "Light (lux)" = "照度 (lux)";
140 | "Light Mode" = "亮模式";
141 | "Line Over" = "上划线";
142 | "Logarithmic" = "对数性";
143 | "Max" = "Max";
144 | "Max Freq" = "最高频率";
145 | "Max Frequency (Hz)" = "最高频率 (Hz)";
146 | "Max Output (V)" = "最高输出电压 (V)";
147 | "Max Resistance (Ω)" = "最大电阻 (Ω)";
148 | "Max Value" = "最大值";
149 | "Max Voltage" = "最大电压";
150 | "MaxCurrent" = "最大电流";
151 | "MaxPower" = "最大功率";
152 | "MaxVoltage" = "最大电压";
153 | "Measure" = "测量";
154 | "Microphone" = "麦克风";
155 | "Min" = "Min";
156 | "Min Frequency (Hz)" = "最低频率 (Hz)";
157 | "Min Output (V)" = "最低输出电压 (V)";
158 | "Min Value" = "最小值";
159 | "Modulation" = "调制方式";
160 | "Momentary" = "瞬时开关";
161 | "Monospace" = "等宽";
162 | "Motion Capacitance (F)" = "动态电容 (F)";
163 | "NAND Gate" = "与非门";
164 | "NOR Gate" = "或非门";
165 | "Name" = "名字";
166 | "No Tracks to Display" = "没有可显示的信道";
167 | "No power (VIN)" = "无电源 (VIN)";
168 | "Nominal Power" = "额定功率";
169 | "Nominal Voltage" = "额定电压";
170 | "None" = "无";
171 | "Normally-closed" = "常闭";
172 | "Normally-closed (NC)" = "常闭 (NC)";
173 | "Normally-open (NO)" = "常开 (NO)";
174 | "Num Inputs" = "输入数";
175 | "Num Primary Windings" = "初级绕组匝数";
176 | "Num Secondary Windings" = "次级绕组匝数";
177 | "Num Switches" = "触点数量";
178 | "OR Gate" = "或门";
179 | "Off Resistance (Ω)" = "关断电阻 (Ω)";
180 | "On Resistance (Ω)" = "导通电阻 (Ω)";
181 | "Online Resources" = "在线资源";
182 | "Op-amp" = "运算放大器";
183 | "Open" = "断开";
184 | "Open Circuit Voltage" = "开路电压";
185 | "Orientation" = "朝向";
186 | "P-P" = "P-P";
187 | "Paused" = "暂停";
188 | "Peak Amplitude (V)" = "峰值幅度 (V)";
189 | "Phase Offset (deg)" = "相移 (deg)";
190 | "Photoresistor" = "光敏电阻";
191 | "Pin Number" = "引脚编号";
192 | "Polarized" = "有极性";
193 | "Port" = "端口";
194 | "Ports" = "端口数";
195 | "Position" = "位置";
196 | "Potentiometer" = "电位器";
197 | "Power" = "功率";
198 | "Primary Inductance (H)" = "初级电感 (H)";
199 | "Pulse" = "脉冲波";
200 | "Quality Factor" = "品质因数";
201 | "RMS" = "RMS";
202 | "Recording" = "记录中";
203 | "Red" = "红色";
204 | "Red (%)" = "红色 (%)";
205 | "Relay" = "继电器";
206 | "Resistance" = "电阻";
207 | "Resistance (Ω)" = "阻值 (Ω)";
208 | "Resistor" = "电阻";
209 | "Restore Examples" = "还原示例";
210 | "Reverse Polarity" = "极性反转";
211 | "Review on the App Store" = "在App Store上评论";
212 | "SCR" = "晶闸管";
213 | "SPDT Analog Switch" = "单刀双掷模拟开关";
214 | "SPDT Switch" = "单刀双掷开关";
215 | "SPST Push Switch" = "单刀单掷按钮开关";
216 | "SPST Switch" = "单刀单掷开关";
217 | "Sawtooth" = "锯齿波";
218 | "Scope" = "示波器";
219 | "Series Resistance" = "串联电阻";
220 | "Servo Motor" = "伺服电机";
221 | "Settings" = "设置";
222 | "Short Circuit Current" = "短路电流";
223 | "Show Console" = "显示控制台";
224 | "Show Current" = "显示电流";
225 | "Show Grid" = "显示网格";
226 | "Show Ground" = "显示接地";
227 | "Show Value" = "显示值";
228 | "Show Values" = "显示值";
229 | "Show Voltage" = "显示电压";
230 | "Shunt Capacitance (F)" = "静态电容 (F)";
231 | "Signal Frequency (Hz)" = "信号频率 (Hz)";
232 | "Silicon" = "硅器件";
233 | "Singular matrix!" = "奇异矩阵!";
234 | "Size" = "大小";
235 | "Slew Rate (V/ns)" = "压摆率 (V/ns)";
236 | "Solar Cell" = "太阳能电池";
237 | "Sources" = "电源";
238 | "Speaker" = "扬声器";
239 | "Square Wave" = "方波";
240 | "Square Wave Source" = "方波电源";
241 | "Stacked" = "堆叠显示";
242 | "Stall Current" = "堵转电流";
243 | "Stall Torque (oz in)" = "堵转扭矩 (oz in)";
244 | "Start" = "开始";
245 | "Stepper Motor" = "步进电机";
246 | "Subcircuit" = "子电路";
247 | "Suggest an Improvement" = "建议改进";
248 | "Supply Voltage" = "电源电压";
249 | "Swap" = "输入交换";
250 | "Sweep (linear)" = "扫描源 (线性)";
251 | "Sweep Time (s)" = "扫描时间 (s)";
252 | "Tap elements to delete" = "点击要删除的元素";
253 | "Tapped Transformer" = "抽头变压器";
254 | "Temperature (K)" = "温度 (K)";
255 | "Text" = "文本";
256 | "Thank you for your help!" = "谢谢您的帮助!";
257 | "Theme" = "主题";
258 | "Thermistor" = "热敏电阻";
259 | "Threshold Voltage" = "阈值电压";
260 | "Touch and drag to draw wires" = "触摸并拖动以绘制导线";
261 | "Transformer" = "变压器";
262 | "Transistor" = "晶体管";
263 | "Translations on Github" = "Github 上的翻译";
264 | "Triangle" = "三角波";
265 | "Trigger" = "触发";
266 | "Trigger Current (A)" = "触发电流 (A)";
267 | "Triggered" = "已触发";
268 | "Type" = "类型";
269 | "Val" = "数值";
270 | "Value" = "数值";
271 | "Vertical" = "垂直";
272 | "Voltage" = "电压";
273 | "Voltage @ 1g" = "电压 @ 1g";
274 | "Voltage Color" = "电压颜色";
275 | "Warmup Time (s)" = "预热时间 (s)";
276 | "Waveform" = "波形";
277 | "Width" = "宽度";
278 | "WikipediaUrl" = "维基百科链接";
279 | "Wire" = "导线";
280 | "Wire loop with no resistance!" = "没有电阻的导线环路!";
281 | "XOR Gate" = "异或门";
282 | "Your review is very much appreciated!" = "非常感谢您的评论!";
283 | "Zener Diode" = "稳压二极管";
284 | "Zener Voltage @ 5mA" = "稳定电压 @ 5ma";
285 | "cutoff" = "截止";
286 | "fwd active" = "正向活动";
287 | "iCircuit Manual" = "iCircuit 手册";
288 | "iCircuit Website" = "iCircuit 官网";
289 | "iCircuit is translated into several languages thanks to volunteers." = "在志愿者的帮助下, iCircuit 被翻译成多种语言。";
290 | "on Wikipedia" = "的维基百科";
291 |
--------------------------------------------------------------------------------
/ja.lproj/Localizable.strings:
--------------------------------------------------------------------------------
1 | "AC" = "AC";
2 | "AC Source" = "AC 電源";
3 | "ADC" = "ADC";
4 | "AM" = "午前";
5 | "AM Antenna" = "AM アンテナ";
6 | "AND Gate" = "とゲート";
7 | "Accelerometer" = "加速度計";
8 | "Active" = "アクティブ";
9 | "Add tracks by tapping signals in the meter" = "メーター内の信号をタップしてトラックを追加する";
10 | "Amplifier" = "アンプ";
11 | "Amplitude (V)" = "振幅 (V)";
12 | "Analog" = "アナログ";
13 | "Analog Switch" = "アナログスイッチ";
14 | "Angle to Sun (deg)" = "太陽に対する角度 (°)";
15 | "Anode" = "陽極";
16 | "Appearance" = "外観";
17 | "Arduino" = "Arduino";
18 | "Auto Add Selected" = "選択した自動追加";
19 | "Auto Duration" = "自動継続時間";
20 | "Auto Values" = "自動値";
21 | "Automatic Bandwidth" = "自動帯域幅";
22 | "Autowire" = "自動的にルート";
23 | "Avg" = "Avg";
24 | "BCD to 7-Segment Decoder" = "BCD ~ 7 セグメントデコーダ";
25 | "BJT Transistor" = "BJT トランジスタ";
26 | "BJT Transistor (NPN)" = "BJT トランジスタ (NPN)";
27 | "BJT Transistor (PNP)" = "BJT トランジスタ (PNP)";
28 | "Bandwidth (Hz)" = "帯域幅 (Hz)";
29 | "Beta" = "Beta";
30 | "Beta/hFE" = "ベータ版/hFE";
31 | "Bidirectional" = "双方向";
32 | "Bits" = "ビット";
33 | "Blue" = "青";
34 | "Blue (%)" = "青 (%)";
35 | "Bold" = "太字";
36 | "Bubble" = "バブル";
37 | "Buzzer" = "ブザー";
38 | "Capacitance" = "容量";
39 | "Capacitance (F)" = "静電容量 (F)";
40 | "Capacitor" = "コンデンサー";
41 | "Carrier Amplitude (V)" = "キャリア振幅 (V)";
42 | "Carrier Frequency (Hz)" = "キャリア周波数 (Hz)";
43 | "Cathode" = "陰極";
44 | "Center" = "センター";
45 | "Center Off" = "センターオフ";
46 | "Circuit" = "回路";
47 | "Circuit Settings" = "回路設定";
48 | "Closed" = "閉鎖";
49 | "Code" = "コード";
50 | "Coil Inductance (H)" = "コイルインダクタンス (H)";
51 | "Coil Resistance (Ω)" = "コイル抵抗 (Ω)";
52 | "Coil Voltage (V)" = "コイル電圧 (V)";
53 | "Color" = "色";
54 | "Colpitts Oscillator" = "コルピッツ発振器";
55 | "Contributors" = "貢献";
56 | "Conventional Direction" = "従来の方向";
57 | "Cooldown Time (s)" = "クールダウン時間 (秒)";
58 | "Counter" = "カウンター";
59 | "Coupling Coefficient (%)" = "カップリング係数 (%)";
60 | "Crystal Oscillator" = "水晶発振器";
61 | "Current" = "現在の";
62 | "Current (A)" = "電流 (A)";
63 | "Current Dots" = "現在のドット";
64 | "Current Rating (A)" = "定格電流 (A)";
65 | "D Flip-flop" = "D フリップフロップ";
66 | "DAC" = "DAC";
67 | "DC" = "直流";
68 | "DC Current Source" = "直流電流源";
69 | "DC Motor" = "直流電動機";
70 | "DC Offset" = "直流オフセット";
71 | "DC Rail" = "直流レール";
72 | "DC Source" = "直流ソース";
73 | "Dark Mode" = "ダークモード";
74 | "Datasheet" = "データシート";
75 | "Delete" = "削除";
76 | "Dependent" = "依存";
77 | "Dependent Current Source" = "依存する現在のソース";
78 | "Dependent Source" = "依存元";
79 | "Differential Voltage" = "差動電圧";
80 | "Digital" = "デジタル";
81 | "Digital Symbol" = "デジタルシンボル";
82 | "Digitized Accelerometer" = "デジタル化加速度計";
83 | "Diode" = "ダイオード";
84 | "Double-throw (DT)" = "ダブルスロー (DT)";
85 | "Drag to complete the wire" = "ドラッグしてワイヤを完成させる";
86 | "Draw Border" = "罫線を引く";
87 | "Duration (s)" = "期間 (秒)";
88 | "Duty Cycle (%)" = "デューティサイクル (%)";
89 | "Edit" = "編集";
90 | "Electron Direction" = "電子方向";
91 | "Email Support" = "メールサポート";
92 | "Enable Anonymous Analytics" = "匿名分析を有効にする";
93 | "End" = "終わり";
94 | "Examples" = "例";
95 | "Export" = "エクスポート";
96 | "Expression" = "式";
97 | "FM" = "Fm";
98 | "FM Antenna" = "FM アンテナ";
99 | "Flip X" = "フリップ X";
100 | "Flip Y" = "フリップ Y";
101 | "Flipped" = "反転";
102 | "ForwardVoltage" = "ForwardVoltage";
103 | "Free Running Current" = "フリーランニング電流";
104 | "Free Running RPM" = "フリーランニング RPM";
105 | "Freq" = "Freq";
106 | "Frequencies" = "Frequencies";
107 | "Frequency (Hz)" = "周波数 (Hz)";
108 | "Frequency Deviation (Hz)" = "周波数偏差 (Hz)";
109 | "Fuse" = "ヒューズ";
110 | "Fwd Voltage @ 1A" = "Fwd 電圧 @ 1A";
111 | "Gate-Cathode Resistance (Ω)" = "ゲート-カソード抵抗 (Ω)";
112 | "Gauge" = "ゲージ";
113 | "GitHub is used to coordinate the translation effort." = "GitHub は翻訳作業を調整するために使用されます。";
114 | "Green" = "緑";
115 | "Green (%)" = "緑 (%)";
116 | "Ground" = "地面";
117 | "H-Bridge" = "H ブリッジ";
118 | "HEF4000B Datasheet" = "HEF4000B データシート";
119 | "Height" = "高さ";
120 | "Help Translate" = "翻訳ヘルプ";
121 | "Holding Current (A)" = "保持電流 (A)";
122 | "Horizontal" = "水平";
123 | "I promise to read all your feedback but I can't guarantee a response to every email. Sorry!" = "私はすべてのフィードバックを読むことを約束するが、私はすべてのメールへの応答を保証することはできません。すみません!";
124 | "IC" = "Ic";
125 | "IEC Symbols" = "IEC シンボル";
126 | "In order to improve iCircuit, anonymous usage data can be collected and sent to the developer. This data includes which elements you add, which properties you set (not including values), and what errors occur. To opt out of this, tap the option to turn it off (unchecked)." = "iCircuit を改善するために、匿名の利用状況データを収集し、開発者に送信することができます。このデータには、追加する要素、設定したプロパティ (値を含まない)、および発生するエラーが含まれます。これをオプトアウトするには、オプションをタップしてオフにします (オフ)。";
127 | "Inductance" = "インダクタンス";
128 | "Inductance (H)" = "インダクタンス (H)";
129 | "Inductor" = "インダクタ";
130 | "Inertia" = "慣性";
131 | "Internal Resistance (Ω)" = "内部抵抗 (Ω)";
132 | "Inverter" = "インバーター";
133 | "JK Flip-flop" = "JK フリップフロップ";
134 | "LED" = "Led";
135 | "LM317 Voltage Regulator" = "LM317 電圧レギュレータ";
136 | "Lamp" = "ランプ";
137 | "Led" = "LED";
138 | "Library Filter" = "ライブラリフィルタ";
139 | "Light (lux)" = "ライト (ルクス)";
140 | "Light Mode" = "ライトモード";
141 | "Line Over" = "ラインオーバー";
142 | "Logarithmic" = "対数";
143 | "Max" = "Max";
144 | "Max Freq" = "Max Freq";
145 | "Max Frequency (Hz)" = "最大周波数 (Hz)";
146 | "Max Output (V)" = "最大出力 (V)";
147 | "Max Resistance (Ω)" = "最大抵抗 (Ω)";
148 | "Max Value" = "最大値";
149 | "Max Voltage" = "最大電圧";
150 | "MaxCurrent" = "MaxCurrent";
151 | "MaxPower" = "マックスパワー";
152 | "MaxVoltage" = "MaxVoltage";
153 | "Measure" = "測定";
154 | "Microphone" = "マイク";
155 | "Min" = "Min";
156 | "Min Frequency (Hz)" = "最小周波数 (Hz)";
157 | "Min Output (V)" = "最小出力 (V)";
158 | "Min Value" = "最小値";
159 | "Modulation" = "変調";
160 | "Momentary" = "瞬時";
161 | "Monospace" = "Monospace";
162 | "Motion Capacitance (F)" = "動作容量 (F)";
163 | "NAND Gate" = "NAND ゲート";
164 | "NOR Gate" = "またゲート";
165 | "Name" = "名前";
166 | "No Tracks to Display" = "表示するトラックがありません";
167 | "No power (VIN)" = "電源なし (VIN)";
168 | "Nominal Power" = "公称電力";
169 | "Nominal Voltage" = "公称電圧";
170 | "None" = "なし";
171 | "Normally-closed" = "通常-クローズ";
172 | "Normally-closed (NC)" = "通常-クローズド (NC)";
173 | "Normally-open (NO)" = "通常-オープン (いいえ)";
174 | "Num Inputs" = "Num 入力";
175 | "Num Primary Windings" = "Num 一次巻線";
176 | "Num Secondary Windings" = "Num 二次巻線";
177 | "Num Switches" = "Num スイッチ";
178 | "OR Gate" = "またはゲート";
179 | "Off Resistance (Ω)" = "オフ抵抗 (Ω)";
180 | "On Resistance (Ω)" = "オン抵抗 (Ω)";
181 | "Online Resources" = "オンラインリソース";
182 | "Op-amp" = "オペアンプ";
183 | "Open" = "開く";
184 | "Open Circuit Voltage" = "開回路電圧";
185 | "Orientation" = "方向";
186 | "P-P" = "P-P";
187 | "Paused" = "Paused";
188 | "Peak Amplitude (V)" = "ピーク振幅 (V)";
189 | "Phase Offset (deg)" = "位相オフセット (°)";
190 | "Photoresistor" = "Photoresistor";
191 | "Pin Number" = "ピン番号";
192 | "Polarized" = "偏光";
193 | "Port" = "ポート";
194 | "Ports" = "ポート";
195 | "Position" = "位置";
196 | "Potentiometer" = "ポテンショメータ";
197 | "Power" = "電源";
198 | "Primary Inductance (H)" = "一次インダクタンス (H)";
199 | "Pulse" = "パルス";
200 | "Quality Factor" = "品質係数";
201 | "RMS" = "RMS";
202 | "Recording" = "Recording";
203 | "Red" = "赤";
204 | "Red (%)" = "赤 (%)";
205 | "Relay" = "リレー";
206 | "Resistance" = "抵抗";
207 | "Resistance (Ω)" = "抵抗 (Ω)";
208 | "Resistor" = "抵抗";
209 | "Restore Examples" = "復元の例";
210 | "Reverse Polarity" = "逆極性";
211 | "Review on the App Store" = "App の店の検討";
212 | "SCR" = "SCR";
213 | "SPDT Analog Switch" = "SPDT アナログスイッチ";
214 | "SPDT Switch" = "SPDT スイッチ";
215 | "SPST Push Switch" = "SPST プッシュスイッチ";
216 | "SPST Switch" = "SPST スイッチ";
217 | "Sawtooth" = "ノコギリ";
218 | "Scope" = "スコープ";
219 | "Series Resistance" = "直列抵抗";
220 | "Servo Motor" = "サーボモータ";
221 | "Settings" = "設定";
222 | "Short Circuit Current" = "短絡電流";
223 | "Show Console" = "コンソールの表示";
224 | "Show Current" = "現在の表示";
225 | "Show Grid" = "グリッドを表示";
226 | "Show Ground" = "グラウンドを表示";
227 | "Show Value" = "値の表示";
228 | "Show Values" = "値の表示";
229 | "Show Voltage" = "電圧を表示";
230 | "Shunt Capacitance (F)" = "シャント容量 (F)";
231 | "Signal Frequency (Hz)" = "信号周波数 (Hz)";
232 | "Silicon" = "シリコン";
233 | "Singular matrix!" = "特異行列!";
234 | "Size" = "サイズ";
235 | "Slew Rate (V/ns)" = "スルーレート (V/ns)";
236 | "Solar Cell" = "太陽電池";
237 | "Sources" = "ソース";
238 | "Speaker" = "スピーカー";
239 | "Square Wave" = "方形波";
240 | "Square Wave Source" = "方形波ソース";
241 | "Stacked" = "積層";
242 | "Stall Current" = "失速電流";
243 | "Stall Torque (oz in)" = "失速トルク (オンス)";
244 | "Start" = "開始";
245 | "Stepper Motor" = "ステッピングモータ";
246 | "Subcircuit" = "Subcircuit";
247 | "Suggest an Improvement" = "改善を提案する";
248 | "Supply Voltage" = "電源電圧";
249 | "Swap" = "スワップ";
250 | "Sweep (linear)" = "スイープ (リニア)";
251 | "Sweep Time (s)" = "スイープ時間 (秒)";
252 | "Tap elements to delete" = "削除する要素をタップ";
253 | "Tapped Transformer" = "タップトランス";
254 | "Temperature (K)" = "温度 (K)";
255 | "Text" = "テキスト";
256 | "Thank you for your help!" = "あなたの助けをありがとう!";
257 | "Theme" = "テーマ";
258 | "Thermistor" = "サーミスタ";
259 | "Threshold Voltage" = "スレッショルド電圧";
260 | "Touch and drag to draw wires" = "タッチアンドドラッグでワイヤを描画";
261 | "Transformer" = "トランス";
262 | "Transistor" = "トランジスタ";
263 | "Translations on Github" = "Github での翻訳";
264 | "Triangle" = "三角 形";
265 | "Trigger" = "Trigger";
266 | "Trigger Current (A)" = "トリガ電流 (A)";
267 | "Triggered" = "Triggered";
268 | "Type" = "型";
269 | "Val" = "Val";
270 | "Value" = "値";
271 | "Vertical" = "垂直";
272 | "Voltage" = "電圧";
273 | "Voltage @ 1g" = "電圧 @ 1g";
274 | "Voltage Color" = "電圧色";
275 | "Warmup Time (s)" = "ウォームアップ時間 (秒)";
276 | "Waveform" = "波形";
277 | "Width" = "幅";
278 | "WikipediaUrl" = "WikipediaUrl";
279 | "Wire" = "ワイヤー";
280 | "Wire loop with no resistance!" = "抵抗のないワイヤーループ!";
281 | "XOR Gate" = "XOR ゲート";
282 | "Your review is very much appreciated!" = "あなたのレビューは非常に高く評価されます!";
283 | "Zener Diode" = "定ダイオード";
284 | "Zener Voltage @ 5mA" = "5mA 電圧 @";
285 | "cutoff" = "カットオフ";
286 | "fwd active" = "fwd アクティブ";
287 | "iCircuit Manual" = "iCircuit マニュアル";
288 | "iCircuit Website" = "iCircuit ウェブサイト";
289 | "iCircuit is translated into several languages thanks to volunteers." = "iCircuit はボランティアのおかげでいくつかの言語に翻訳されています。";
290 | "on Wikipedia" = "ウィキペディアで";
291 |
--------------------------------------------------------------------------------
/Base.lproj/Localizable.strings:
--------------------------------------------------------------------------------
1 | "AC" = "AC";
2 | "AC Source" = "AC Source";
3 | "ADC" = "ADC";
4 | "AM" = "AM";
5 | "AM Antenna" = "AM Antenna";
6 | "AND Gate" = "AND Gate";
7 | "Accelerometer" = "Accelerometer";
8 | "Active" = "Active";
9 | "Add tracks by tapping signals in the meter" = "Add tracks by tapping signals in the meter";
10 | "Amplifier" = "Amplifier";
11 | "Amplitude (V)" = "Amplitude (V)";
12 | "Analog" = "Analog";
13 | "Analog Switch" = "Analog Switch";
14 | "Angle to Sun (deg)" = "Angle to Sun (deg)";
15 | "Anode" = "Anode";
16 | "Appearance" = "Appearance";
17 | "Arduino" = "Arduino";
18 | "Auto Add Selected" = "Auto Add Selected";
19 | "Auto Duration" = "Auto Duration";
20 | "Auto Values" = "Auto Values";
21 | "Automatic Bandwidth" = "Automatic Bandwidth";
22 | "Autowire" = "Auto Route";
23 | "Avg" = "Avg";
24 | "BCD to 7-Segment Decoder" = "BCD to 7-Segment Decoder";
25 | "BJT Transistor" = "BJT Transistor";
26 | "BJT Transistor (NPN)" = "BJT Transistor (NPN)";
27 | "BJT Transistor (PNP)" = "BJT Transistor (PNP)";
28 | "Bandwidth (Hz)" = "Bandwidth (Hz)";
29 | "Beta" = "Beta";
30 | "Beta/hFE" = "Beta/hFE";
31 | "Bidirectional" = "Bidirectional";
32 | "Bits" = "Bits";
33 | "Blue" = "Blue";
34 | "Blue (%)" = "Blue (%)";
35 | "Bold" = "Bold";
36 | "Bubble" = "Bubble";
37 | "Buzzer" = "Buzzer";
38 | "Capacitance" = "Capacitance";
39 | "Capacitance (F)" = "Capacitance (F)";
40 | "Capacitor" = "Capacitor";
41 | "Carrier Amplitude (V)" = "Carrier Amplitude (V)";
42 | "Carrier Frequency (Hz)" = "Carrier Frequency (Hz)";
43 | "Cathode" = "Cathode";
44 | "Center" = "Center";
45 | "Center Off" = "Center Off";
46 | "Circuit" = "Circuit";
47 | "Circuit Settings" = "Circuit Settings";
48 | "Closed" = "Closed";
49 | "Code" = "Code";
50 | "Coil Inductance (H)" = "Coil Inductance (H)";
51 | "Coil Resistance (Ω)" = "Coil Resistance (Ω)";
52 | "Coil Voltage (V)" = "Coil Voltage (V)";
53 | "Color" = "Color";
54 | "Colpitts Oscillator" = "Colpitts Oscillator";
55 | "Contributors" = "Contributors";
56 | "Conventional Direction" = "Conventional";
57 | "Cooldown Time (s)" = "Cooldown Time (s)";
58 | "Counter" = "Counter";
59 | "Coupling Coefficient (%)" = "Coupling Coefficient (%)";
60 | "Crystal Oscillator" = "Crystal Oscillator";
61 | "Current" = "Current";
62 | "Current (A)" = "Current (A)";
63 | "Current Dots" = "Current Dots";
64 | "Current Rating (A)" = "Current Rating (A)";
65 | "D Flip-flop" = "D Flip-flop";
66 | "DAC" = "DAC";
67 | "DC" = "DC";
68 | "DC Current Source" = "DC Current Source";
69 | "DC Motor" = "DC Motor";
70 | "DC Offset" = "DC Offset";
71 | "DC Rail" = "DC Rail";
72 | "DC Source" = "DC Source";
73 | "Dark Mode" = "Dark Mode";
74 | "Datasheet" = "Datasheet";
75 | "Delete" = "Delete";
76 | "Dependent" = "Dependent";
77 | "Dependent Current Source" = "Dependent Current Source";
78 | "Dependent Source" = "Dependent Source";
79 | "Differential Voltage" = "Differential Voltage";
80 | "Digital" = "Digital";
81 | "Digital Symbol" = "Digital Symbol";
82 | "Digitized Accelerometer" = "Digitized Accelerometer";
83 | "Diode" = "Diode";
84 | "Double-throw (DT)" = "Double-throw (DT)";
85 | "Drag to complete the wire" = "Drag to complete the wire";
86 | "Draw Border" = "Draw Border";
87 | "Duration (s)" = "Duration (s)";
88 | "Duty Cycle (%)" = "Duty Cycle (%)";
89 | "Edit" = "Edit";
90 | "Electron Direction" = "Electron";
91 | "Email Support" = "Email Support";
92 | "Enable Anonymous Analytics" = "Enable Anonymous Analytics";
93 | "End" = "End";
94 | "Examples" = "Examples";
95 | "Export" = "Export";
96 | "Expression" = "Expression";
97 | "FM" = "FM";
98 | "FM Antenna" = "FM Antenna";
99 | "Flip X" = "Flip X";
100 | "Flip Y" = "Flip Y";
101 | "Flipped" = "Flipped";
102 | "ForwardVoltage" = "Forward Voltage";
103 | "Free Running Current" = "Free Running Current";
104 | "Free Running RPM" = "Free Running RPM";
105 | "Freq" = "Freq";
106 | "Frequencies" = "Frequencies";
107 | "Frequency (Hz)" = "Frequency (Hz)";
108 | "Frequency Deviation (Hz)" = "Frequency Deviation (Hz)";
109 | "Fuse" = "Fuse";
110 | "Fwd Voltage @ 1A" = "Fwd Voltage @ 1A";
111 | "Gate-Cathode Resistance (Ω)" = "Gate-Cathode Resistance (Ω)";
112 | "Gauge" = "Gauge";
113 | "GitHub is used to coordinate the translation effort." = "GitHub is used to coordinate the translation effort.";
114 | "Green" = "Green";
115 | "Green (%)" = "Green (%)";
116 | "Ground" = "Ground";
117 | "H-Bridge" = "H-Bridge";
118 | "HEF4000B Datasheet" = "HEF4000B Datasheet";
119 | "Height" = "Height";
120 | "Help Translate" = "Help Translate";
121 | "Holding Current (A)" = "Holding Current (A)";
122 | "Horizontal" = "Horizontal";
123 | "I promise to read all your feedback but I can't guarantee a response to every email. Sorry!" = "I promise to read all your feedback but I can't guarantee a response to every email. Sorry!";
124 | "IC" = "IC";
125 | "IEC Symbols" = "IEC Symbols";
126 | "In order to improve iCircuit, anonymous usage data can be collected and sent to the developer. This data includes which elements you add, which properties you set (not including values), and what errors occur. To opt out of this, tap the option to turn it off (unchecked)." = "In order to improve iCircuit, anonymous usage data can be collected and sent to the developer. This data includes which elements you add, which properties you set (not including values), and what errors occur. To opt out of this, tap the option to turn it off (unchecked).";
127 | "Inductance" = "Inductance";
128 | "Inductance (H)" = "Inductance (H)";
129 | "Inductor" = "Inductor";
130 | "Inertia" = "Inertia";
131 | "Internal Resistance (Ω)" = "Internal Resistance (Ω)";
132 | "Inverter" = "Inverter";
133 | "JK Flip-flop" = "JK Flip-flop";
134 | "LED" = "LED";
135 | "LM317 Voltage Regulator" = "LM317 Voltage Regulator";
136 | "Lamp" = "Lamp";
137 | "Led" = "LED";
138 | "Library Filter" = "Library Filter";
139 | "Light (lux)" = "Light (lux)";
140 | "Light Mode" = "Light Mode";
141 | "Line Over" = "Line Over";
142 | "Logarithmic" = "Logarithmic";
143 | "Max" = "Max";
144 | "Max Freq" = "Max Freq";
145 | "Max Frequency (Hz)" = "Max Frequency (Hz)";
146 | "Max Output (V)" = "Max Output (V)";
147 | "Max Resistance (Ω)" = "Max Resistance (Ω)";
148 | "Max Value" = "Max Value";
149 | "Max Voltage" = "Max Voltage";
150 | "MaxCurrent" = "Max Current";
151 | "MaxPower" = "Max Power";
152 | "MaxVoltage" = "Max Voltage";
153 | "Measure" = "Measure";
154 | "Microphone" = "Microphone";
155 | "Min" = "Min";
156 | "Min Frequency (Hz)" = "Min Frequency (Hz)";
157 | "Min Output (V)" = "Min Output (V)";
158 | "Min Value" = "Min Value";
159 | "Modulation" = "Modulation";
160 | "Momentary" = "Momentary";
161 | "Monospace" = "Monospace";
162 | "Motion Capacitance (F)" = "Motion Capacitance (F)";
163 | "NAND Gate" = "NAND Gate";
164 | "NOR Gate" = "NOR Gate";
165 | "Name" = "Name";
166 | "No Tracks to Display" = "No Tracks to Display";
167 | "No power (VIN)" = "No power (VIN)";
168 | "Nominal Power" = "Nominal Power";
169 | "Nominal Voltage" = "Nominal Voltage";
170 | "None" = "None";
171 | "Normally-closed" = "Normally-closed";
172 | "Normally-closed (NC)" = "Normally-closed (NC)";
173 | "Normally-open (NO)" = "Normally-open (NO)";
174 | "Num Inputs" = "Num Inputs";
175 | "Num Primary Windings" = "Num Primary Windings";
176 | "Num Secondary Windings" = "Num Secondary Windings";
177 | "Num Switches" = "Num Switches";
178 | "OR Gate" = "OR Gate";
179 | "Off Resistance (Ω)" = "Off Resistance (Ω)";
180 | "On Resistance (Ω)" = "On Resistance (Ω)";
181 | "Online Resources" = "Online Resources";
182 | "Op-amp" = "Op-amp";
183 | "Open" = "Open";
184 | "Open Circuit Voltage" = "Open Circuit Voltage";
185 | "Orientation" = "Orientation";
186 | "P-P" = "P-P";
187 | "Paused" = "Paused";
188 | "Peak Amplitude (V)" = "Peak Amplitude (V)";
189 | "Phase Offset (deg)" = "Phase Offset (deg)";
190 | "Photoresistor" = "Photoresistor";
191 | "Pin Number" = "Pin Number";
192 | "Polarized" = "Polarized";
193 | "Port" = "Port";
194 | "Ports" = "Ports";
195 | "Position" = "Position";
196 | "Potentiometer" = "Potentiometer";
197 | "Power" = "Power";
198 | "Primary Inductance (H)" = "Primary Inductance (H)";
199 | "Pulse" = "Pulse";
200 | "Quality Factor" = "Quality Factor";
201 | "RMS" = "RMS";
202 | "Recording" = "Recording";
203 | "Red" = "Red";
204 | "Red (%)" = "Red (%)";
205 | "Relay" = "Relay";
206 | "Resistance" = "Resistance";
207 | "Resistance (Ω)" = "Resistance (Ω)";
208 | "Resistor" = "Resistor";
209 | "Restore Examples" = "Restore Examples";
210 | "Reverse Polarity" = "Reverse Polarity";
211 | "Review on the App Store" = "Review on the App Store";
212 | "SCR" = "SCR";
213 | "SPDT Analog Switch" = "SPDT Analog Switch";
214 | "SPDT Switch" = "SPDT Switch";
215 | "SPST Push Switch" = "SPST Push Switch";
216 | "SPST Switch" = "SPST Switch";
217 | "Sawtooth" = "Sawtooth";
218 | "Scope" = "Scope";
219 | "Series Resistance" = "Series Resistance";
220 | "Servo Motor" = "Servo Motor";
221 | "Settings" = "Settings";
222 | "Short Circuit Current" = "Short Circuit Current";
223 | "Show Console" = "Show Console";
224 | "Show Current" = "Show Current";
225 | "Show Grid" = "Show Grid";
226 | "Show Ground" = "Show Ground";
227 | "Show Value" = "Show Value";
228 | "Show Values" = "Show Values";
229 | "Show Voltage" = "Show Voltage";
230 | "Shunt Capacitance (F)" = "Shunt Capacitance (F)";
231 | "Signal Frequency (Hz)" = "Signal Frequency (Hz)";
232 | "Silicon" = "Silicon";
233 | "Singular matrix!" = "Singular matrix!";
234 | "Size" = "Size";
235 | "Slew Rate (V/ns)" = "Slew Rate (V/ns)";
236 | "Solar Cell" = "Solar Cell";
237 | "Sources" = "Sources";
238 | "Speaker" = "Speaker";
239 | "Square Wave" = "Square Wave";
240 | "Square Wave Source" = "Square Wave Source";
241 | "Stacked" = "Stacked";
242 | "Stall Current" = "Stall Current";
243 | "Stall Torque (oz in)" = "Stall Torque (oz in)";
244 | "Start" = "Start";
245 | "Stepper Motor" = "Stepper Motor";
246 | "Subcircuit" = "Subcircuit";
247 | "Suggest an Improvement" = "Suggest an Improvement";
248 | "Supply Voltage" = "Supply Voltage";
249 | "Swap" = "Swap";
250 | "Sweep (linear)" = "Sweep (linear)";
251 | "Sweep Time (s)" = "Sweep Time (s)";
252 | "Tap elements to delete" = "Tap elements to delete";
253 | "Tapped Transformer" = "Tapped Transformer";
254 | "Temperature (K)" = "Temperature (K)";
255 | "Text" = "Text";
256 | "Thank you for your help!" = "Thank you for your help!";
257 | "Theme" = "Theme";
258 | "Thermistor" = "Thermistor";
259 | "Threshold Voltage" = "Threshold Voltage";
260 | "Touch and drag to draw wires" = "Touch and drag to draw wires";
261 | "Transformer" = "Transformer";
262 | "Transistor" = "Transistor";
263 | "Translations on Github" = "Translations on Github";
264 | "Triangle" = "Triangle";
265 | "Trigger" = "Trigger";
266 | "Trigger Current (A)" = "Trigger Current (A)";
267 | "Triggered" = "Triggered";
268 | "Type" = "Type";
269 | "Val" = "Val";
270 | "Value" = "Value";
271 | "Vertical" = "Vertical";
272 | "Voltage" = "Voltage";
273 | "Voltage @ 1g" = "Voltage @ 1g";
274 | "Voltage Color" = "Voltage Color";
275 | "Warmup Time (s)" = "Warmup Time (s)";
276 | "Waveform" = "Waveform";
277 | "Width" = "Width";
278 | "WikipediaUrl" = "Wikipedia";
279 | "Wire" = "Wire";
280 | "Wire loop with no resistance!" = "Wire loop with no resistance!";
281 | "XOR Gate" = "XOR Gate";
282 | "Your review is very much appreciated!" = "Your review is very much appreciated!";
283 | "Zener Diode" = "Zener Diode";
284 | "Zener Voltage @ 5mA" = "Zener Voltage @ 5mA";
285 | "cutoff" = "cutoff";
286 | "fwd active" = "fwd active";
287 | "iCircuit Manual" = "iCircuit Manual";
288 | "iCircuit Website" = "iCircuit Website";
289 | "iCircuit is translated into several languages thanks to volunteers." = "iCircuit is translated into several languages thanks to volunteers.";
290 | "on Wikipedia" = "on Wikipedia";
291 |
--------------------------------------------------------------------------------
/de.lproj/Localizable.strings:
--------------------------------------------------------------------------------
1 | "AC" = "AC";
2 | "AC Source" = "Wechselstromquelle";
3 | "ADC" = "ADW";
4 | "AM" = "MW";
5 | "AM Antenna" = "MW-Antenne";
6 | "AND Gate" = "AND Gatter";
7 | "Accelerometer" = "Beschleunigungssensor";
8 | "Active" = "Aktiv";
9 | "Add tracks by tapping signals in the meter" = "Diagramm durch Drücken auf Signale hinzufügen";
10 | "Amplifier" = "Verstärker";
11 | "Amplitude (V)" = "Amplitude (V)";
12 | "Analog" = "Analog";
13 | "Analog Switch" = "Analogschalter";
14 | "Angle to Sun (deg)" = "Winkel zur Sonne (°)";
15 | "Anode" = "Anode";
16 | "Appearance" = "Aussehen";
17 | "Arduino" = "Arduino";
18 | "Auto Add Selected" = "Auswahl autom. hinzufügen";
19 | "Auto Duration" = "Dauer automatisch eingestellt";
20 | "Auto Values" = "Wertebereich automatisch einstellen";
21 | "Automatic Bandwidth" = "Automatische Bandbreite";
22 | "Autowire" = "Automatisch verbinden";
23 | "Avg" = "Mittelw.";
24 | "BCD to 7-Segment Decoder" = "BCD zu 7-Segment-Decoder";
25 | "BJT Transistor" = "BJT Transistor";
26 | "BJT Transistor (NPN)" = "BJT Transistor (NPN)";
27 | "BJT Transistor (PNP)" = "BJT Transistor (PNP)";
28 | "Bandwidth (Hz)" = "Bandbreite (Hz)";
29 | "Beta" = "Beta";
30 | "Beta/hFE" = "Beta/hFE";
31 | "Bidirectional" = "Bidirektional";
32 | "Bits" = "Bits";
33 | "Blue" = "Blau";
34 | "Blue (%)" = "Blau (%)";
35 | "Bold" = "Fett";
36 | "Bubble" = "Blase";
37 | "Buzzer" = "Summer";
38 | "Capacitance" = "Kapazität";
39 | "Capacitance (F)" = "Kapazität (F)";
40 | "Capacitor" = "Kondensator";
41 | "Carrier Amplitude (V)" = "Trägeramplitude (V)";
42 | "Carrier Frequency (Hz)" = "Trägerfrequenz (Hz)";
43 | "Cathode" = "Kathode";
44 | "Center" = "Zentrum";
45 | "Center Off" = "Mittenversatz";
46 | "Circuit" = "Schaltung";
47 | "Circuit Settings" = "Schaltungseinstellungen";
48 | "Closed" = "Geschlossen";
49 | "Code" = "Code";
50 | "Coil Inductance (H)" = "Spuleninduktivität (H)";
51 | "Coil Resistance (Ω)" = "Spulenwiderstand (Ω)";
52 | "Coil Voltage (V)" = "Spulenspannung (V)";
53 | "Color" = "Farbe";
54 | "Colpitts Oscillator" = "Colpitts-Oszillator";
55 | "Contributors" = "Mitwirkende";
56 | "Conventional Direction" = "Konventionelle";
57 | "Cooldown Time (s)" = "Abklingzeit (s)";
58 | "Counter" = "Zähler";
59 | "Coupling Coefficient (%)" = "Kopplungskoeffizient (%)";
60 | "Crystal Oscillator" = "Kristalloszillator";
61 | "Current" = "Strom";
62 | "Current (A)" = "Strom (A)";
63 | "Current Dots" = "Strom Punkte";
64 | "Current Rating (A)" = "Stromwert (A)";
65 | "D Flip-flop" = "D Flipflop";
66 | "DAC" = "DAW";
67 | "DC" = "DC";
68 | "DC Current Source" = "Gleichstromquelle";
69 | "DC Motor" = "Gleichstrom-Motor";
70 | "DC Offset" = "Offset Spannung";
71 | "DC Rail" = "Gleichstromschiene";
72 | "DC Source" = "Gleichstromquelle";
73 | "Dark Mode" = "Dunkler Modus";
74 | "Datasheet" = "Datenblatt";
75 | "Delete" = "Löschen";
76 | "Dependent" = "Abhängig";
77 | "Dependent Current Source" = "Abhängige Stromquelle";
78 | "Dependent Source" = "Abhängige Quelle";
79 | "Differential Voltage" = "Differenzspannung";
80 | "Digital" = "Digital";
81 | "Digital Symbol" = "Digitales Symbol";
82 | "Digitized Accelerometer" = "Digitalisierter Beschleunigungsmesser";
83 | "Diode" = "Diode";
84 | "Double-throw (DT)" = "Doppelwurf (DT)";
85 | "Drag to complete the wire" = "Ziehen, um den Draht zu vervollständigen";
86 | "Draw Border" = "Rahmen zeichnen";
87 | "Duration (s)" = "Dauer (s)";
88 | "Duty Cycle (%)" = "Auslastungsgrad (%)";
89 | "Edit" = "Bearbeiten";
90 | "Electron Direction" = "Elektronen-Flussrichtung";
91 | "Email Support" = "Email Unterstützung";
92 | "Enable Anonymous Analytics" = "Aktivieren von anonymen Analysen";
93 | "End" = "Ende";
94 | "Examples" = "Beispiele";
95 | "Export" = "Exportieren";
96 | "Expression" = "Ausdruck";
97 | "FM" = "UKW";
98 | "FM Antenna" = "UKW-Antenne";
99 | "Flip X" = "Horizontal drehen";
100 | "Flip Y" = "Vertikal drehen";
101 | "Flipped" = "Umgedreht";
102 | "ForwardVoltage" = "Flussspannung";
103 | "Free Running Current" = "Freilaufender Strom";
104 | "Free Running RPM" = "Freilaufendes RPM";
105 | "Freq" = "Freq";
106 | "Frequencies" = "Frequenzen";
107 | "Frequency (Hz)" = "Frequenz (Hz)";
108 | "Frequency Deviation (Hz)" = "Frequenzabweichung (Hz)";
109 | "Fuse" = "Sicherung";
110 | "Fwd Voltage @ 1A" = "Durchlassspannung @ 1A";
111 | "Gate-Cathode Resistance (Ω)" = "Gate-Kathoden-Widerstand (Ω)";
112 | "Gauge" = "Messgerät";
113 | "GitHub is used to coordinate the translation effort." = "GitHub wird verwendet, um den Übersetzungsaufwand zu koordinieren.";
114 | "Green" = "Grün";
115 | "Green (%)" = "Grün (%)";
116 | "Ground" = "Masse";
117 | "H-Bridge" = "H-Brücke";
118 | "HEF4000B Datasheet" = "HEF4000B Datenblatt";
119 | "Height" = "Höhe";
120 | "Help Translate" = "Bei der Übersetzung helfen";
121 | "Holding Current (A)" = "Haltestrom (A)";
122 | "Horizontal" = "Horizontal";
123 | "I promise to read all your feedback but I can't guarantee a response to every email. Sorry!" = "Ich verspreche, Ihr gesamtes Feedback zu lesen, kann jedoch aus Zeitgründen keine Antwort auf jede E-Mail garantieren.";
124 | "IC" = "IC";
125 | "IEC Symbols" = "IEC-Symbole";
126 | "In order to improve iCircuit, anonymous usage data can be collected and sent to the developer. This data includes which elements you add, which properties you set (not including values), and what errors occur. To opt out of this, tap the option to turn it off (unchecked)." = "Um iCircuit zu verbessern, können anonyme Nutzungsdaten erfasst und an den Entwickler gesendet werden. Zu diesen Daten gehört, welche Elemente Sie hinzufügen, welche Eigenschaften Sie festlegen (ohne Werte) und welche Fehler auftreten. Um dies zu deaktivieren, tippen Sie auf die Option, um sie auszuschalten (nicht markiert).";
127 | "Inductance" = "Induktivität";
128 | "Inductance (H)" = "Induktivität (H)";
129 | "Inductor" = "Induktor";
130 | "Inertia" = "Trägheit";
131 | "Internal Resistance (Ω)" = "Interner Widerstand (Ω)";
132 | "Inverter" = "Invertierer";
133 | "JK Flip-flop" = "JK Flipflop";
134 | "LED" = "LED";
135 | "LM317 Voltage Regulator" = "LM317 Spannungsregler";
136 | "Lamp" = "Lampe";
137 | "Led" = "LED";
138 | "Library Filter" = "Bibliotheksfilter";
139 | "Light (lux)" = "Licht (lux)";
140 | "Light Mode" = "Heller Modus";
141 | "Line Over" = "Linie über";
142 | "Logarithmic" = "Logarithmisch";
143 | "Max" = "Max";
144 | "Max Freq" = "Max Freq";
145 | "Max Frequency (Hz)" = "Max Frequenz (Hz)";
146 | "Max Output (V)" = "Max Ausgang (V)";
147 | "Max Resistance (Ω)" = "Max Widerstand (Ω)";
148 | "Max Value" = "Maximalwert";
149 | "Max Voltage" = "Max Spannung";
150 | "MaxCurrent" = "Max Strom";
151 | "MaxPower" = "Max Leistung";
152 | "MaxVoltage" = "Max Spannung";
153 | "Measure" = "Messen";
154 | "Microphone" = "Mikrofon";
155 | "Min" = "Min";
156 | "Min Frequency (Hz)" = "Min Frequenz (Hz)";
157 | "Min Output (V)" = "Mindestausgabe (V)";
158 | "Min Value" = "Mindestwert";
159 | "Modulation" = "Modulation";
160 | "Momentary" = "Momentan";
161 | "Monospace" = "Monospace";
162 | "Motion Capacitance (F)" = "Bewegungskapazität (F)";
163 | "NAND Gate" = "NAND Gatter";
164 | "NOR Gate" = "NOR Gatter";
165 | "Name" = "Name";
166 | "No Tracks to Display" = "Keine anzuzeigenden Signale";
167 | "No power (VIN)" = "Keine Energie (VIN)";
168 | "Nominal Power" = "Nennleistung";
169 | "Nominal Voltage" = "Nennspannung";
170 | "None" = "Keiner";
171 | "Normally-closed" = "Normalerweise Geschlossen";
172 | "Normally-closed (NC)" = "Normalerweise Geschlossen";
173 | "Normally-open (NO)" = "Normalerweise Offen";
174 | "Num Inputs" = "Anzahl Eingänge";
175 | "Num Primary Windings" = "Anzahl Primärwicklungen";
176 | "Num Secondary Windings" = "Anzahl Sekundärwicklungen";
177 | "Num Switches" = "Anzahl Schalter";
178 | "OR Gate" = "OR Gatter";
179 | "Off Resistance (Ω)" = "Ausschaltwiderstand (Ω)";
180 | "On Resistance (Ω)" = "On Resistance (Ω)";
181 | "Online Resources" = "Internetquellen";
182 | "Op-amp" = "OP-Verst.";
183 | "Open" = "Öffnen";
184 | "Open Circuit Voltage" = "Leerlaufspannung";
185 | "Orientation" = "Orientierung";
186 | "P-P" = "S-S";
187 | "Paused" = "Angehalten";
188 | "Peak Amplitude (V)" = "Spitzenamplitude (V)";
189 | "Phase Offset (deg)" = "Phasenversatz (°)";
190 | "Photoresistor" = "Fotowiderstand";
191 | "Pin Number" = "Pin-Nummer";
192 | "Polarized" = "Gepolt";
193 | "Port" = "Anschluss";
194 | "Ports" = "Anschlüsse";
195 | "Position" = "Position";
196 | "Potentiometer" = "Potentiometer";
197 | "Power" = "Leistung";
198 | "Primary Inductance (H)" = "Primärinduktivität (H)";
199 | "Pulse" = "Impuls";
200 | "Quality Factor" = "Qualitätsfaktor";
201 | "RMS" = "RMS";
202 | "Recording" = "Aufnahme";
203 | "Red" = "Rot";
204 | "Red (%)" = "Rot (%)";
205 | "Relay" = "Relais";
206 | "Resistance" = "Widerstand";
207 | "Resistance (Ω)" = "Widerstand (Ω)";
208 | "Resistor" = "Widerstand";
209 | "Restore Examples" = "Beispiele wiederherstellen";
210 | "Reverse Polarity" = "Polarität umkehren";
211 | "Review on the App Store" = "Im App-Store bewerten";
212 | "SCR" = "SCR";
213 | "SPDT Analog Switch" = "SPDT-Analogschalter";
214 | "SPDT Switch" = "SPDT-Schalter";
215 | "SPST Push Switch" = "SPST-Taster";
216 | "SPST Switch" = "SPST-Schalter";
217 | "Sawtooth" = "Sägezahn";
218 | "Scope" = "Diagramm";
219 | "Series Resistance" = "Serienwiderstand";
220 | "Servo Motor" = "Servomotor";
221 | "Settings" = "Einstellungen";
222 | "Short Circuit Current" = "Kurzschlussspannung";
223 | "Show Console" = "Konsole anzeigen";
224 | "Show Current" = "Strom anzeigen";
225 | "Show Grid" = "Raster anzeigen";
226 | "Show Ground" = "Erdspannung anzeigen";
227 | "Show Value" = "Wert anzeigen";
228 | "Show Values" = "Werte anzeigen";
229 | "Show Voltage" = "Spannung anzeigen";
230 | "Shunt Capacitance (F)" = "Shunt-Kapazität (F)";
231 | "Signal Frequency (Hz)" = "Signalfrequenz (Hz)";
232 | "Silicon" = "Silizium";
233 | "Singular matrix!" = "Singuläre Matrix!";
234 | "Size" = "Größe";
235 | "Slew Rate (V/ns)" = "Anstiegsgeschwindigkeit (V / ns)";
236 | "Solar Cell" = "Solarzelle";
237 | "Sources" = "Quellen";
238 | "Speaker" = "Lautsprecher";
239 | "Square Wave" = "Rechteckschwingung";
240 | "Square Wave Source" = "Rechteck-Quelle";
241 | "Stacked" = "Gestapelt";
242 | "Stall Current" = "Standstrom";
243 | "Stall Torque (oz in)" = "Drehmoment (oz in)";
244 | "Start" = "Anfang";
245 | "Stepper Motor" = "Schrittmotor";
246 | "Subcircuit" = "Teilschaltung";
247 | "Suggest an Improvement" = "Verbesserung vorschlagen";
248 | "Supply Voltage" = "Versorgungsspannung";
249 | "Swap" = "Anschlüsse vertauschen";
250 | "Sweep (linear)" = "Sweep (linear)";
251 | "Sweep Time (s)" = "Sweep-Zeit (s)";
252 | "Tap elements to delete" = "Lösche Elemente durch Tippen";
253 | "Tapped Transformer" = "Getappter Transformator";
254 | "Temperature (K)" = "Temperatur (K)";
255 | "Text" = "Text";
256 | "Thank you for your help!" = "Vielen Dank für Ihre Hilfe!";
257 | "Theme" = "Farbschema";
258 | "Thermistor" = "Thermistor";
259 | "Threshold Voltage" = "Grenzspannung";
260 | "Touch and drag to draw wires" = "Berühren und ziehen, um Drähte zu ziehen";
261 | "Transformer" = "Transformator";
262 | "Transistor" = "Transistor";
263 | "Translations on Github" = "Übersetzungen auf Github";
264 | "Triangle" = "Dreieck";
265 | "Trigger" = "Trigger";
266 | "Trigger Current (A)" = "Auslösestrom (A)";
267 | "Triggered" = "Ausgelöst";
268 | "Type" = "Typ";
269 | "Val" = "Wert";
270 | "Value" = "Wert";
271 | "Vertical" = "Vertikal";
272 | "Voltage" = "Spannung";
273 | "Voltage @ 1g" = "Spannung @ 1g";
274 | "Voltage Color" = "Farbe für Spannung";
275 | "Warmup Time (s)" = "Aufwärmzeit (s)";
276 | "Waveform" = "Signalform";
277 | "Width" = "Breite";
278 | "WikipediaUrl" = "Wikipedia-Link";
279 | "Wire" = "Draht";
280 | "Wire loop with no resistance!" = "Drahtschleife ohne Widerstand!";
281 | "XOR Gate" = "XOR Gatter";
282 | "Your review is very much appreciated!" = "Ihre Bewertung wird sehr geschätzt!";
283 | "Zener Diode" = "Zener-Diode";
284 | "Zener Voltage @ 5mA" = "Zener-Spannung @ 5mA";
285 | "cutoff" = "abschalt";
286 | "fwd active" = "vorwärts";
287 | "iCircuit Manual" = "iCircuit-Handbuch";
288 | "iCircuit Website" = "iCircuit-Website";
289 | "iCircuit is translated into several languages thanks to volunteers." = "iCircuit wird dank der Hilfe Freiwilliger in mehrere Sprachen übersetzt.";
290 | "on Wikipedia" = "auf Wikipedia";
291 |
--------------------------------------------------------------------------------
/it.lproj/Localizable.strings:
--------------------------------------------------------------------------------
1 | "AC" = "AC";
2 | "AC Source" = "Fonte AC";
3 | "ADC" = "ADC";
4 | "AM" = "AM";
5 | "AM Antenna" = "Antenna AM";
6 | "AND Gate" = "AND Gate";
7 | "Accelerometer" = "Accelerometro";
8 | "Active" = "Attivo";
9 | "Add tracks by tapping signals in the meter" = "Aggiungi tracce toccando i segnali nel misuratore";
10 | "Amplifier" = "Amplificatore";
11 | "Amplitude (V)" = "Ampiezza (V)";
12 | "Analog" = "Analogico";
13 | "Analog Switch" = "Interruttore analogico";
14 | "Angle to Sun (deg)" = "Angolo al sole (°)";
15 | "Anode" = "Anodo";
16 | "Appearance" = "Aspetto";
17 | "Arduino" = "Arduino";
18 | "Auto Add Selected" = "Auto Add selezionato";
19 | "Auto Duration" = "Durata automatica";
20 | "Auto Values" = "Valori automatici";
21 | "Automatic Bandwidth" = "Larghezza di banda automatica";
22 | "Autowire" = "Percorso Auto";
23 | "Avg" = "Media";
24 | "BCD to 7-Segment Decoder" = "BCD a 7-segmento decoder";
25 | "BJT Transistor" = "BJT transistor";
26 | "BJT Transistor (NPN)" = "Transistor BJT (NPN)";
27 | "BJT Transistor (PNP)" = "Transistor BJT (PNP)";
28 | "Bandwidth (Hz)" = "Larghezza di banda (Hz)";
29 | "Beta" = "Beta";
30 | "Beta/hFE" = "Beta/hFE";
31 | "Bidirectional" = "Bidirezionale";
32 | "Bits" = "Bit";
33 | "Blue" = "Blu";
34 | "Blue (%)" = "Blu (%)";
35 | "Bold" = "Grassetto";
36 | "Bubble" = "Bolla";
37 | "Buzzer" = "Buzzer";
38 | "Capacitance" = "Capacità";
39 | "Capacitance (F)" = "Capacità (F)";
40 | "Capacitor" = "Condensatore";
41 | "Carrier Amplitude (V)" = "Ampiezza Carrier (V)";
42 | "Carrier Frequency (Hz)" = "Frequenza portante (Hz)";
43 | "Cathode" = "Catodo";
44 | "Center" = "Centro";
45 | "Center Off" = "Centro off";
46 | "Circuit" = "Circuito";
47 | "Circuit Settings" = "Impostazioni del circuito";
48 | "Closed" = "Chiuso";
49 | "Code" = "Codice";
50 | "Coil Inductance (H)" = "Induttanza bobina (H)";
51 | "Coil Resistance (Ω)" = "Resistenza della bobina (Ω)";
52 | "Coil Voltage (V)" = "Tensione della bobina (V)";
53 | "Color" = "Colore";
54 | "Colpitts Oscillator" = "Oscillatore Colpitts";
55 | "Contributors" = "Contributori";
56 | "Conventional Direction" = "Direzione convenzionale";
57 | "Cooldown Time (s)" = "Tempo di ricarica (s)";
58 | "Counter" = "Contatore";
59 | "Coupling Coefficient (%)" = "Coefficiente di accoppiamento (%)";
60 | "Crystal Oscillator" = "Oscillatore di cristallo";
61 | "Current" = "Corrente";
62 | "Current (A)" = "Corrente (A)";
63 | "Current Dots" = "Punti correnti";
64 | "Current Rating (A)" = "Valutazione corrente (A)";
65 | "D Flip-flop" = "D Flip-flop";
66 | "DAC" = "DAC";
67 | "DC" = "CC";
68 | "DC Current Source" = "Sorgente corrente CC";
69 | "DC Motor" = "Motore CC";
70 | "DC Offset" = "Offset CC";
71 | "DC Rail" = "Guida di CC";
72 | "DC Source" = "Sorgente di CC";
73 | "Dark Mode" = "Modalità Dark";
74 | "Datasheet" = "Scheda tecnica";
75 | "Delete" = "Elimina";
76 | "Dependent" = "Dipendente";
77 | "Dependent Current Source" = "Fonte corrente dipendente";
78 | "Dependent Source" = "Origine dipendente";
79 | "Differential Voltage" = "Tensione differenziale";
80 | "Digital" = "Digitale";
81 | "Digital Symbol" = "Simbolo digitale";
82 | "Digitized Accelerometer" = "Accelerometro digitalizzato";
83 | "Diode" = "Diodo";
84 | "Double-throw (DT)" = "Doppio tiro (DT)";
85 | "Drag to complete the wire" = "Trascina per completare il filo";
86 | "Draw Border" = "Disegna bordo";
87 | "Duration (s)" = "Durata (s)";
88 | "Duty Cycle (%)" = "Duty Cycle (%)";
89 | "Edit" = "Modifica";
90 | "Electron Direction" = "Direzione elettronica";
91 | "Email Support" = "Supporto E-mail";
92 | "Enable Anonymous Analytics" = "Abilita analisi anonime";
93 | "End" = "Fine";
94 | "Examples" = "Esempi";
95 | "Export" = "Esportazione";
96 | "Expression" = "Espressione";
97 | "FM" = "FM";
98 | "FM Antenna" = "Antenna FM";
99 | "Flip X" = "Flip X";
100 | "Flip Y" = "Flip Y";
101 | "Flipped" = "Capovolto";
102 | "ForwardVoltage" = "Tensione FWD";
103 | "Free Running Current" = "Corrente di funzionamento libera";
104 | "Free Running RPM" = "GIRI liberi di funzionamento";
105 | "Freq" = "Freq";
106 | "Frequencies" = "Frequenze";
107 | "Frequency (Hz)" = "Frequenza (Hz)";
108 | "Frequency Deviation (Hz)" = "Deviazione di frequenza (Hz)";
109 | "Fuse" = "Fusibile";
110 | "Fwd Voltage @ 1A" = "Tensione FWD @ 1A";
111 | "Gate-Cathode Resistance (Ω)" = "Resistenza gate-catodo (Ω)";
112 | "Gauge" = "Calibro";
113 | "GitHub is used to coordinate the translation effort." = "GitHub è usato per coordinare lo sforzo di traduzione.";
114 | "Green" = "Verde";
115 | "Green (%)" = "Verde (%)";
116 | "Ground" = "Terra";
117 | "H-Bridge" = "H-ponticello";
118 | "HEF4000B Datasheet" = "Datasheet di HEF4000B";
119 | "Height" = "Altezza";
120 | "Help Translate" = "Contribuire a tradurre";
121 | "Holding Current (A)" = "Corrente di mantenimento (A)";
122 | "Horizontal" = "Orizzontale";
123 | "I promise to read all your feedback but I can't guarantee a response to every email. Sorry!" = "Prometto di leggere tutti i vostri commenti, ma non posso garantire una risposta ad ogni e-mail. Siamo spiacenti!";
124 | "IC" = "IC";
125 | "IEC Symbols" = "Simboli IEC";
126 | "In order to improve iCircuit, anonymous usage data can be collected and sent to the developer. This data includes which elements you add, which properties you set (not including values), and what errors occur. To opt out of this, tap the option to turn it off (unchecked)." = "Al fine di migliorare iCircuit, i dati di utilizzo anonimo possono essere raccolti e inviati allo sviluppatore. Questi dati includono gli elementi aggiunti, le proprietà impostate (esclusi i valori) e gli errori che si verificano. Per escluderlo, tocca l'opzione per disattivarla (deselezionata).";
127 | "Inductance" = "Induttanza";
128 | "Inductance (H)" = "Induttanza (H)";
129 | "Inductor" = "Induttore";
130 | "Inertia" = "Inerzia";
131 | "Internal Resistance (Ω)" = "Resistenza interna (Ω)";
132 | "Inverter" = "Inverter";
133 | "JK Flip-flop" = "JK flip-flop";
134 | "LED" = "Led";
135 | "LM317 Voltage Regulator" = "Regolatore di tensione LM317";
136 | "Lamp" = "Lampada";
137 | "Led" = "Led";
138 | "Library Filter" = "Filtro libreria";
139 | "Light (lux)" = "Luce (lux)";
140 | "Light Mode" = "Modalità luce";
141 | "Line Over" = "Linea sopra";
142 | "Logarithmic" = "Logaritmica";
143 | "Max" = "Massimo";
144 | "Max Freq" = "Freq mas";
145 | "Max Frequency (Hz)" = "Frequenza massima (Hz)";
146 | "Max Output (V)" = "Uscita massima (V)";
147 | "Max Resistance (Ω)" = "Resistenza massima (Ω)";
148 | "Max Value" = "Valore massimo";
149 | "Max Voltage" = "Tensione massima";
150 | "MaxCurrent" = "MaxCurrent";
151 | "MaxPower" = "MaxPower";
152 | "MaxVoltage" = "MaxVoltage";
153 | "Measure" = "Misura";
154 | "Microphone" = "Microfono";
155 | "Min" = "Minimo";
156 | "Min Frequency (Hz)" = "Frequenza minima (Hz)";
157 | "Min Output (V)" = "Uscita minima (V)";
158 | "Min Value" = "Valore minimo";
159 | "Modulation" = "Modulazione";
160 | "Momentary" = "Momentanea";
161 | "Monospace" = "Monospace";
162 | "Motion Capacitance (F)" = "Capacità di movimento (F)";
163 | "NAND Gate" = "Cancello di NAND";
164 | "NOR Gate" = "NÉ Gate";
165 | "Name" = "Nome";
166 | "No Tracks to Display" = "Nessuna traccia da visualizzare";
167 | "No power (VIN)" = "Nessun potere (VIN)";
168 | "Nominal Power" = "Potenza nominale";
169 | "Nominal Voltage" = "Tensione nominale";
170 | "None" = "Nessuno";
171 | "Normally-closed" = "Normalmente chiuso";
172 | "Normally-closed (NC)" = "Normalmente chiuso (NC)";
173 | "Normally-open (NO)" = "Normalmente aperto (NO)";
174 | "Num Inputs" = "Ingressi num";
175 | "Num Primary Windings" = "Num avvolgimenti primari";
176 | "Num Secondary Windings" = "Num avvolgimenti secondari";
177 | "Num Switches" = "Interruttori num";
178 | "OR Gate" = "O cancello";
179 | "Off Resistance (Ω)" = "Resistenza al largo (Ω)";
180 | "On Resistance (Ω)" = "Sulla resistenza (Ω)";
181 | "Online Resources" = "Risorse online";
182 | "Op-amp" = "OP-amp";
183 | "Open" = "Aperto";
184 | "Open Circuit Voltage" = "Tensione a circuito aperto";
185 | "Orientation" = "Orientamento";
186 | "P-P" = "P-P";
187 | "Paused" = "Pausa";
188 | "Peak Amplitude (V)" = "Ampiezza di picco (V)";
189 | "Phase Offset (deg)" = "Offset di fase (°)";
190 | "Photoresistor" = "Fotoresistore";
191 | "Pin Number" = "Numero Pin";
192 | "Polarized" = "Polarizzato";
193 | "Port" = "Porta";
194 | "Ports" = "Porte";
195 | "Position" = "Posizione";
196 | "Potentiometer" = "Potenziometro";
197 | "Power" = "Potere";
198 | "Primary Inductance (H)" = "Induttanza primaria (H)";
199 | "Pulse" = "Impulso";
200 | "Quality Factor" = "Fattore di qualità";
201 | "RMS" = "Rms";
202 | "Recording" = "Registrazione";
203 | "Red" = "Rosso";
204 | "Red (%)" = "Rosso (%)";
205 | "Relay" = "Relè";
206 | "Resistance" = "Resistenza";
207 | "Resistance (Ω)" = "Resistenza (Ω)";
208 | "Resistor" = "Resistenza";
209 | "Restore Examples" = "Esempi di ripristino";
210 | "Reverse Polarity" = "Polarità inversa";
211 | "Review on the App Store" = "Recensione su App Store";
212 | "SCR" = "Scr";
213 | "SPDT Analog Switch" = "Interruttore analogico SPDT";
214 | "SPDT Switch" = "SPDT interruttore";
215 | "SPST Push Switch" = "SPST push switch";
216 | "SPST Switch" = "SPST interruttore";
217 | "Sawtooth" = "Dente";
218 | "Scope" = "Ambito";
219 | "Series Resistance" = "Serie resistenza";
220 | "Servo Motor" = "Servomotore";
221 | "Settings" = "Impostazioni";
222 | "Short Circuit Current" = "Corrente di cortocircuito";
223 | "Show Console" = "Mostra console";
224 | "Show Current" = "Mostra corrente";
225 | "Show Grid" = "Mostra griglia";
226 | "Show Ground" = "Mostra terra";
227 | "Show Value" = "Mostra valore";
228 | "Show Values" = "Mostra valori";
229 | "Show Voltage" = "Mostra tensione";
230 | "Shunt Capacitance (F)" = "Capacità shunt (F)";
231 | "Signal Frequency (Hz)" = "Frequenza del segnale (Hz)";
232 | "Silicon" = "Silicio";
233 | "Singular matrix!" = "Singolare Matrix!";
234 | "Size" = "Dimensione";
235 | "Slew Rate (V/ns)" = "Velocità di rotazione (V/ns)";
236 | "Solar Cell" = "Cella solare";
237 | "Sources" = "Fonti";
238 | "Speaker" = "Madrelingua";
239 | "Square Wave" = "Onda quadra";
240 | "Square Wave Source" = "Sorgente dell'onda quadra";
241 | "Stacked" = "Impilati";
242 | "Stall Current" = "Corrente di stAllo";
243 | "Stall Torque (oz in)" = "StAllo di coppia (oz in)";
244 | "Start" = "Iniziare";
245 | "Stepper Motor" = "Motore stepper";
246 | "Subcircuit" = "Sottocircuito";
247 | "Suggest an Improvement" = "Suggerisci un miglioramento";
248 | "Supply Voltage" = "Tensione di alimentazione";
249 | "Swap" = "Swap";
250 | "Sweep (linear)" = "Sweep (lineare)";
251 | "Sweep Time (s)" = "Tempo di sweep (s)";
252 | "Tap elements to delete" = "Tocca elementi da eliminare";
253 | "Tapped Transformer" = "TrasFormatore filettato";
254 | "Temperature (K)" = "Temperatura (K)";
255 | "Text" = "Testo";
256 | "Thank you for your help!" = "Grazie per il vostro aiuto!";
257 | "Theme" = "Tema";
258 | "Thermistor" = "Termistore";
259 | "Threshold Voltage" = "Tensione di soglia";
260 | "Touch and drag to draw wires" = "Toccare e trascinare per disegnare i fili";
261 | "Transformer" = "Trasformatore";
262 | "Transistor" = "Transistor";
263 | "Translations on Github" = "Traduzioni su GitHub";
264 | "Triangle" = "Triangolo";
265 | "Trigger" = "Trigger";
266 | "Trigger Current (A)" = "Corrente del grilletto (A)";
267 | "Triggered" = "Attivato";
268 | "Type" = "Tipo";
269 | "Val" = "Val";
270 | "Value" = "Valore";
271 | "Vertical" = "Verticale";
272 | "Voltage" = "Tensione";
273 | "Voltage @ 1g" = "Tensione @ 1g";
274 | "Voltage Color" = "Colore di tensione";
275 | "Warmup Time (s)" = "Tempo di riscaldamento (s)";
276 | "Waveform" = "Forma d' onda";
277 | "Width" = "Larghezza";
278 | "WikipediaUrl" = "WikipediaUrl";
279 | "Wire" = "Filo";
280 | "Wire loop with no resistance!" = "Filo loop senza resistenza!";
281 | "XOR Gate" = "XOR Gate";
282 | "Your review is very much appreciated!" = "La tua opinione è molto apprezzato!";
283 | "Zener Diode" = "Diodo Zener";
284 | "Zener Voltage @ 5mA" = "Tensione Zener @ 5mA";
285 | "cutoff" = "Taglio";
286 | "fwd active" = "FWD attivo";
287 | "iCircuit Manual" = "Manuale iCircuit";
288 | "iCircuit Website" = "iCircuit sito";
289 | "iCircuit is translated into several languages thanks to volunteers." = "iCircuit è tradotto in diverse lingue grazie ai volontari.";
290 | "on Wikipedia" = "su Wikipedia";
291 |
--------------------------------------------------------------------------------
/fr.lproj/Localizable.strings:
--------------------------------------------------------------------------------
1 | "AC" = "AC";
2 | "AC Source" = "Source AC";
3 | "ADC" = "ADC";
4 | "AM" = "AM";
5 | "AM Antenna" = "Antenne AM";
6 | "AND Gate" = "Porte AND";
7 | "Accelerometer" = "Accéléromètre";
8 | "Active" = "Active";
9 | "Add tracks by tapping signals in the meter" = "Ajouter des pistes en appuyant sur des signaux dans l'osciloscope";
10 | "Amplifier" = "Amplificateur";
11 | "Amplitude (V)" = "Amplitude (V)";
12 | "Analog" = "Analogique";
13 | "Analog Switch" = "Commutateur analogique";
14 | "Angle to Sun (deg)" = "Angle au soleil (°)";
15 | "Anode" = "Anode";
16 | "Appearance" = "Apparence";
17 | "Arduino" = "Arduino";
18 | "Auto Add Selected" = "Ajout automatique sélectioné";
19 | "Auto Duration" = "Durée automatique";
20 | "Auto Values" = "Valeurs automatiques";
21 | "Automatic Bandwidth" = "Bande passante automatique";
22 | "Autowire" = "Route Auto";
23 | "Avg" = "Moy.";
24 | "BCD to 7-Segment Decoder" = "Décodeur BCD à 7 segments";
25 | "BJT Transistor" = "Transistor BJT";
26 | "BJT Transistor (NPN)" = "Transistor BJT (NPN)";
27 | "BJT Transistor (PNP)" = "Transistor BJT (PNP)";
28 | "Bandwidth (Hz)" = "Bande passante (Hz)";
29 | "Beta" = "Bêta";
30 | "Beta/hFE" = "Beta/ergonomie";
31 | "Bidirectional" = "Bidirectionnel";
32 | "Bits" = "Bits";
33 | "Blue" = "Bleu";
34 | "Blue (%)" = "Bleu (%)";
35 | "Bold" = "Gras";
36 | "Bubble" = "Bulle";
37 | "Buzzer" = "Buzzer";
38 | "Capacitance" = "Capacité";
39 | "Capacitance (F)" = "Capacité (F)";
40 | "Capacitor" = "Condensateur";
41 | "Carrier Amplitude (V)" = "Amplitude porteuse (V)";
42 | "Carrier Frequency (Hz)" = "Fréquence porteuse (Hz)";
43 | "Cathode" = "Cathode";
44 | "Center" = "Centre";
45 | "Center Off" = "Centre désactivé";
46 | "Circuit" = "Circuit";
47 | "Circuit Settings" = "Paramètres du circuit";
48 | "Closed" = "Fermé";
49 | "Code" = "Code";
50 | "Coil Inductance (H)" = "Inductance de bobine (H)";
51 | "Coil Resistance (Ω)" = "Résistance de bobine (Ω)";
52 | "Coil Voltage (V)" = "Tension de bobine (V)";
53 | "Color" = "Couleur";
54 | "Colpitts Oscillator" = "Oscillateur Colpitts";
55 | "Contributors" = "Contributeurs";
56 | "Conventional Direction" = "Direction conventionnelle";
57 | "Cooldown Time (s)" = "Temps de refroidissement (s)";
58 | "Counter" = "Compteur";
59 | "Coupling Coefficient (%)" = "Coefficient de couplage (%)";
60 | "Crystal Oscillator" = "Oscillateur à quartz";
61 | "Current" = "Courant";
62 | "Current (A)" = "Courant (A)";
63 | "Current Dots" = "Points de courant";
64 | "Current Rating (A)" = "Mesure du courant (A)";
65 | "D Flip-flop" = "BAscule D";
66 | "DAC" = "DAC";
67 | "DC" = "CC";
68 | "DC Current Source" = "Source de courant continu (CC)";
69 | "DC Motor" = "Moteur CC";
70 | "DC Offset" = "Décalage CC";
71 | "DC Rail" = "Rail CC";
72 | "DC Source" = "Source CC";
73 | "Dark Mode" = "Mode sombre";
74 | "Datasheet" = "Fiche";
75 | "Delete" = "Supprimer";
76 | "Dependent" = "Lié";
77 | "Dependent Current Source" = "Source de courant liée";
78 | "Dependent Source" = "Source liée";
79 | "Differential Voltage" = "Tension différentielle";
80 | "Digital" = "Numérique";
81 | "Digital Symbol" = "Symbole numérique";
82 | "Digitized Accelerometer" = "Accéléromètre numérique";
83 | "Diode" = "Diode";
84 | "Double-throw (DT)" = "Va et vient";
85 | "Drag to complete the wire" = "Faites glisser pour terminer le fil";
86 | "Draw Border" = "Afficher les bords";
87 | "Duration (s)" = "Durée (s)";
88 | "Duty Cycle (%)" = "Rapport cyclique (%)";
89 | "Edit" = "Modifier";
90 | "Electron Direction" = "Sens des électrons";
91 | "Email Support" = "Assistance par email";
92 | "Enable Anonymous Analytics" = "Activer l'analyse anonyme";
93 | "End" = "Fin";
94 | "Examples" = "Exemples";
95 | "Export" = "Exporter";
96 | "Expression" = "Expression";
97 | "FM" = "FM";
98 | "FM Antenna" = "Antenne FM";
99 | "Flip X" = "Retourner X";
100 | "Flip Y" = "Retourner Y";
101 | "Flipped" = "Retourné";
102 | "ForwardVoltage" = "TensionDirecte";
103 | "Free Running Current" = "Courant nominal";
104 | "Free Running RPM" = "tr/min nominal";
105 | "Freq" = "Freq";
106 | "Frequencies" = "Fréquences";
107 | "Frequency (Hz)" = "Fréquence (Hz)";
108 | "Frequency Deviation (Hz)" = "Écart de fréquence (Hz)";
109 | "Fuse" = "Fusible";
110 | "Fwd Voltage @ 1A" = "Tension directe @ 1A";
111 | "Gate-Cathode Resistance (Ω)" = "Résistance porte-cathode (Ω)";
112 | "Gauge" = "Jauge";
113 | "GitHub is used to coordinate the translation effort." = "GitHub est utilisé pour coordonner l'effort de traduction.";
114 | "Green" = "Vert";
115 | "Green (%)" = "Vert (%)";
116 | "Ground" = "Terre";
117 | "H-Bridge" = "Pont H";
118 | "HEF4000B Datasheet" = "Fiche technique HEF4000B";
119 | "Height" = "Hauteur";
120 | "Help Translate" = "Aider à traduire";
121 | "Holding Current (A)" = "Courant de maintien (A)";
122 | "Horizontal" = "Horizontale";
123 | "I promise to read all your feedback but I can't guarantee a response to every email. Sorry!" = "Je vais lire tous vos commentaires, mais malheureusement je ne peux pas garantir une réponse à chacun. Veuillez m'en excuser.";
124 | "IC" = "Ic";
125 | "IEC Symbols" = "Symboles IEC";
126 | "In order to improve iCircuit, anonymous usage data can be collected and sent to the developer. This data includes which elements you add, which properties you set (not including values), and what errors occur. To opt out of this, tap the option to turn it off (unchecked)." = "Afin d'améliorer iCircuit, des données d'utilisation anonymes peuvent êtres envoyées au déveloper. Cela inclue les élements que vous ajoutez, les propriétés que vous définissez (à l'exclusion des valeurs), et les erreurs que vous rencontrez. Pour désactiver cette collecte, déselectionnez cette option.";
127 | "Inductance" = "Inductance";
128 | "Inductance (H)" = "Inductance (H)";
129 | "Inductor" = "Inducteur";
130 | "Inertia" = "Inertie";
131 | "Internal Resistance (Ω)" = "Résistance interne (Ω)";
132 | "Inverter" = "Onduleur";
133 | "JK Flip-flop" = "Bascule";
134 | "LED" = "Led";
135 | "LM317 Voltage Regulator" = "Régulateur de tension LM317";
136 | "Lamp" = "Lampe";
137 | "Led" = "Led";
138 | "Library Filter" = "Bibliothèque de filtres";
139 | "Light (lux)" = "Lumière (lux)";
140 | "Light Mode" = "Mode lumineux";
141 | "Line Over" = "Ligne au-dessus";
142 | "Logarithmic" = "Logarithmique";
143 | "Max" = "Max";
144 | "Max Freq" = "Freq Max";
145 | "Max Frequency (Hz)" = "Fréquence max (Hz)";
146 | "Max Output (V)" = "Sortie max (V)";
147 | "Max Resistance (Ω)" = "Résistance max (Ω)";
148 | "Max Value" = "Valeur max";
149 | "Max Voltage" = "Tension max";
150 | "MaxCurrent" = "Courant max";
151 | "MaxPower" = "Puissance max";
152 | "MaxVoltage" = "Tension max";
153 | "Measure" = "Mesure";
154 | "Microphone" = "Microphone";
155 | "Min" = "Min";
156 | "Min Frequency (Hz)" = "Fréquence min (Hz)";
157 | "Min Output (V)" = "Sortie min (V)";
158 | "Min Value" = "Valeur min";
159 | "Modulation" = "Modulation";
160 | "Momentary" = "Momentanée";
161 | "Monospace" = "Monospace";
162 | "Motion Capacitance (F)" = "Capacité de mouvement (F)";
163 | "NAND Gate" = "Porte NAND";
164 | "NOR Gate" = "Porte NOR";
165 | "Name" = "Nom";
166 | "No Tracks to Display" = "Aucune piste à afficher";
167 | "No power (VIN)" = "Pas d'alimentation (VIN)";
168 | "Nominal Power" = "Puissance nominale";
169 | "Nominal Voltage" = "Tension nominale";
170 | "None" = "Aucun";
171 | "Normally-closed" = "Normalement-fermé";
172 | "Normally-closed (NC)" = "Normalement-fermé (NC)";
173 | "Normally-open (NO)" = "Normalement-ouvert (NO)";
174 | "Num Inputs" = "Nb Entrées";
175 | "Num Primary Windings" = "Nb bobines primaires";
176 | "Num Secondary Windings" = "Nb bobines secondaires";
177 | "Num Switches" = "Nb interrupteurs";
178 | "OR Gate" = "Porte OU";
179 | "Off Resistance (Ω)" = "Résistance ouvert (Ω)";
180 | "On Resistance (Ω)" = "Résistance fermé (Ω)";
181 | "Online Resources" = "Ressources en ligne";
182 | "Op-amp" = "AO";
183 | "Open" = "Ouvert";
184 | "Open Circuit Voltage" = "Tension de circuit ouvert";
185 | "Orientation" = "Orientation";
186 | "P-P" = "P-P";
187 | "Paused" = "Pause";
188 | "Peak Amplitude (V)" = "Amplitude de crête (V)";
189 | "Phase Offset (deg)" = "Décalage de phase (°)";
190 | "Photoresistor" = "Photorésistance";
191 | "Pin Number" = "Numéro de PIN";
192 | "Polarized" = "Polarisée";
193 | "Port" = "Port";
194 | "Ports" = "Ports";
195 | "Position" = "Position";
196 | "Potentiometer" = "Potentiomètre";
197 | "Power" = "Puissance";
198 | "Primary Inductance (H)" = "Inductance primaire (H)";
199 | "Pulse" = "Impulsion";
200 | "Quality Factor" = "Facteur de qualité";
201 | "RMS" = "Rms";
202 | "Recording" = "Enregistrement";
203 | "Red" = "Rouge";
204 | "Red (%)" = "Rouge (%)";
205 | "Relay" = "Relais";
206 | "Resistance" = "Résistance";
207 | "Resistance (Ω)" = "Résistance (Ω)";
208 | "Resistor" = "Résistance";
209 | "Restore Examples" = "Restaurer les exemples";
210 | "Reverse Polarity" = "Polarité inverse";
211 | "Review on the App Store" = "Avis sur l'App Store";
212 | "SCR" = "SCR";
213 | "SPDT Analog Switch" = "Commutateur analogique SPDT";
214 | "SPDT Switch" = "Commutateur SPDT";
215 | "SPST Push Switch" = "Commutateur de poussée de SPST";
216 | "SPST Switch" = "Commutateur SPST";
217 | "Sawtooth" = "Dents de scie";
218 | "Scope" = "Portée";
219 | "Series Resistance" = "Résistance de série";
220 | "Servo Motor" = "Servomoteur";
221 | "Settings" = "Paramètres";
222 | "Short Circuit Current" = "Courant de court-circuit";
223 | "Show Console" = "Afficher la console";
224 | "Show Current" = "Afficher le courant";
225 | "Show Grid" = "Afficher la grille";
226 | "Show Ground" = "Afficher la terre";
227 | "Show Value" = "Afficher la valeur";
228 | "Show Values" = "Afficher les valeurs";
229 | "Show Voltage" = "Afficher la tension";
230 | "Shunt Capacitance (F)" = "Capacité shunt (F)";
231 | "Signal Frequency (Hz)" = "Fréquence du signal (Hz)";
232 | "Silicon" = "Silicium";
233 | "Singular matrix!" = "Une matrice singulière!";
234 | "Size" = "Taille";
235 | "Slew Rate (V/ns)" = "Vitesse de rotation (V/ns)";
236 | "Solar Cell" = "Cellule solaire";
237 | "Sources" = "Sources";
238 | "Speaker" = "Haut-parleur";
239 | "Square Wave" = "Signal carré";
240 | "Square Wave Source" = "Source de signal carré";
241 | "Stacked" = "Empilés";
242 | "Stall Current" = "Courant de décrochage";
243 | "Stall Torque (oz in)" = "Couple de décrochage (oz in)";
244 | "Start" = "Commencer";
245 | "Stepper Motor" = "Moteur pas à pas";
246 | "Subcircuit" = "Spice";
247 | "Suggest an Improvement" = "Suggérer une amélioration";
248 | "Supply Voltage" = "Tension d'alimentation";
249 | "Swap" = "Swap";
250 | "Sweep (linear)" = "Balayage (linéaire)";
251 | "Sweep Time (s)" = "Temps de balayage (s)";
252 | "Tap elements to delete" = "Touchez les éléments à supprimer";
253 | "Tapped Transformer" = "Transformateur taraudé";
254 | "Temperature (K)" = "Température (K)";
255 | "Text" = "Texte";
256 | "Thank you for your help!" = "Merci de votre aide!";
257 | "Theme" = "Thème";
258 | "Thermistor" = "Thermistance";
259 | "Threshold Voltage" = "Tension de seuil";
260 | "Touch and drag to draw wires" = "Touchez et faites glisser pour dessiner des fils";
261 | "Transformer" = "Transformateur";
262 | "Transistor" = "Transistor";
263 | "Translations on Github" = "Traductions sur GitHub";
264 | "Triangle" = "Triangle";
265 | "Trigger" = "Déclencheur";
266 | "Trigger Current (A)" = "Courant de déclenchement (A)";
267 | "Triggered" = "Déclenché";
268 | "Type" = "Type";
269 | "Val" = "Val";
270 | "Value" = "Valeur";
271 | "Vertical" = "Verticale";
272 | "Voltage" = "Tension";
273 | "Voltage @ 1g" = "Tension @ 1g";
274 | "Voltage Color" = "Couleur de tension";
275 | "Warmup Time (s)" = "Temps de réchauffement (s)";
276 | "Waveform" = "Signaux";
277 | "Width" = "Largeur";
278 | "WikipediaUrl" = "Lien Wikipedia";
279 | "Wire" = "Fil";
280 | "Wire loop with no resistance!" = "Boucle de fil sans résistance!";
281 | "XOR Gate" = "Porte XOR";
282 | "Your review is very much appreciated!" = "Votre avis compte beaucoup!";
283 | "Zener Diode" = "Diode Zener";
284 | "Zener Voltage @ 5mA" = "Tension Zener @ 5mA";
285 | "cutoff" = "coupure";
286 | "fwd active" = "fwd actif";
287 | "iCircuit Manual" = "Manuel iCircuit";
288 | "iCircuit Website" = "Site Web iCircuit";
289 | "iCircuit is translated into several languages thanks to volunteers." = "iCircuit est traduit en plusieurs langues grâce à des bénévoles.";
290 | "on Wikipedia" = "sur Wikipedia";
291 |
--------------------------------------------------------------------------------
/es.lproj/Localizable.strings:
--------------------------------------------------------------------------------
1 | "AC" = "CA";
2 | "AC Source" = "Fuente de CA";
3 | "ADC" = "ADC";
4 | "AM" = "AM";
5 | "AM Antenna" = "Antena AM";
6 | "AND Gate" = "Puerta AND";
7 | "Accelerometer" = "Acelerómetro";
8 | "Active" = "Activo";
9 | "Add tracks by tapping signals in the meter" = "Añadir pistas pulsando las señales en el medidor";
10 | "Amplifier" = "Amplificador";
11 | "Amplitude (V)" = "Amplitud (V)";
12 | "Analog" = "Analógico";
13 | "Analog Switch" = "Interruptor analógico";
14 | "Angle to Sun (deg)" = "Ángulo al sol (°)";
15 | "Anode" = "Ánodo";
16 | "Appearance" = "Aspecto";
17 | "Arduino" = "Arduino";
18 | "Auto Add Selected" = "Agregar automáticamente seleccionado";
19 | "Auto Duration" = "Duración automática";
20 | "Auto Values" = "Valores automáticos";
21 | "Automatic Bandwidth" = "Ancho de banda automático";
22 | "Autowire" = "Cableado automatico";
23 | "Avg" = "Promedio";
24 | "BCD to 7-Segment Decoder" = "Decodificador BCD a 7 segmentos";
25 | "BJT Transistor" = "Transistor BJT";
26 | "BJT Transistor (NPN)" = "Transistor BJT (NPN)";
27 | "BJT Transistor (PNP)" = "Transistor BJT (PNP)";
28 | "Bandwidth (Hz)" = "Ancho de banda (Hz)";
29 | "Beta" = "Beta";
30 | "Beta/hFE" = "Beta/hFE";
31 | "Bidirectional" = "Bidireccional";
32 | "Bits" = "Bits";
33 | "Blue" = "Azul";
34 | "Blue (%)" = "Azul (%)";
35 | "Bold" = "Negrita";
36 | "Bubble" = "Burbuja";
37 | "Buzzer" = "Zumbador";
38 | "Capacitance" = "Capacitancia";
39 | "Capacitance (F)" = "Capacitancia (F)";
40 | "Capacitor" = "Condensador";
41 | "Carrier Amplitude (V)" = "Amplitud del portador (V)";
42 | "Carrier Frequency (Hz)" = "Frecuencia portadora (Hz)";
43 | "Cathode" = "Cátodo";
44 | "Center" = "Centro";
45 | "Center Off" = "Centrar apagado";
46 | "Circuit" = "Circuito";
47 | "Circuit Settings" = "Configuración del circuito";
48 | "Closed" = "Cerrado";
49 | "Code" = "Código";
50 | "Coil Inductance (H)" = "Inductancia de la bobina (H)";
51 | "Coil Resistance (Ω)" = "Resistencia de la bobina (Ω)";
52 | "Coil Voltage (V)" = "Voltaje de la bobina (V)";
53 | "Color" = "Color";
54 | "Colpitts Oscillator" = "Oscilador Colpitts";
55 | "Contributors" = "Colaboradores";
56 | "Conventional Direction" = "Dirección convencional";
57 | "Cooldown Time (s)" = "Tiempo (s) de enfriamiento";
58 | "Counter" = "Contador";
59 | "Coupling Coefficient (%)" = "Coeficiente de acoplamiento (%)";
60 | "Crystal Oscillator" = "Oscilador de cristal";
61 | "Current" = "Corriente";
62 | "Current (A)" = "Corriente (A)";
63 | "Current Dots" = "Puntos de corriente";
64 | "Current Rating (A)" = "Corriente nominal (A)";
65 | "D Flip-flop" = "Flip-flop D";
66 | "DAC" = "DAC";
67 | "DC" = "CD";
68 | "DC Current Source" = "Fuente de corriente de CD";
69 | "DC Motor" = "Motor de CD";
70 | "DC Offset" = "Desplazamiento de CD";
71 | "DC Rail" = "Carril de CD";
72 | "DC Source" = "Fuente de CD";
73 | "Dark Mode" = "Modo oscuro";
74 | "Datasheet" = "Ficha técnica";
75 | "Delete" = "Eliminar";
76 | "Dependent" = "Dependiente";
77 | "Dependent Current Source" = "Fuente corriente dependiente";
78 | "Dependent Source" = "Fuente dependiente";
79 | "Differential Voltage" = "Voltaje diferencial";
80 | "Digital" = "Digital";
81 | "Digital Symbol" = "Símbolo digital";
82 | "Digitized Accelerometer" = "Acelerómetro digitalizado";
83 | "Diode" = "Diodo";
84 | "Double-throw (DT)" = "Doble-tiro (DT)";
85 | "Drag to complete the wire" = "Arrastrar para completar el cable";
86 | "Draw Border" = "Dibujar borde";
87 | "Duration (s)" = "Duración (s)";
88 | "Duty Cycle (%)" = "Ciclo de trabajo (%)";
89 | "Edit" = "Editar";
90 | "Electron Direction" = "Dirección del electrón";
91 | "Email Support" = "Email de soporte";
92 | "Enable Anonymous Analytics" = "Habilitar análisis anónimos";
93 | "End" = "Final";
94 | "Examples" = "Ejemplos";
95 | "Export" = "Exportar";
96 | "Expression" = "Expresión";
97 | "FM" = "FM";
98 | "FM Antenna" = "Antena de FM";
99 | "Flip X" = "Voltear X";
100 | "Flip Y" = "Voltear Y";
101 | "Flipped" = "Volteado";
102 | "ForwardVoltage" = "Tensión directa";
103 | "Free Running Current" = "Corriente de carrera libre";
104 | "Free Running RPM" = "RPM de carrera libre";
105 | "Freq" = "Frec";
106 | "Frequencies" = "Frecuencias";
107 | "Frequency (Hz)" = "Frecuencia (Hz)";
108 | "Frequency Deviation (Hz)" = "Desviación de frecuencia (Hz)";
109 | "Fuse" = "Fusible";
110 | "Fwd Voltage @ 1A" = "Tensión directa @ 1A";
111 | "Gate-Cathode Resistance (Ω)" = "Resistencia Puerta-Cátodo (Ω)";
112 | "Gauge" = "Medidor";
113 | "GitHub is used to coordinate the translation effort." = "GitHub se utiliza para coordinar el esfuerzo de traducción.";
114 | "Green" = "Verde";
115 | "Green (%)" = "Verde (%)";
116 | "Ground" = "Tierra";
117 | "H-Bridge" = "Puente H";
118 | "HEF4000B Datasheet" = "Ficha técnica de HEF4000B";
119 | "Height" = "Altura";
120 | "Help Translate" = "Ayudar a traducir";
121 | "Holding Current (A)" = "Corriente de retención (A)";
122 | "Horizontal" = "Horizontal";
123 | "I promise to read all your feedback but I can't guarantee a response to every email. Sorry!" = "Prometo leer todos sus comentarios pero no puedo garantizar una respuesta a cada correo electrónico. ¡Lo siento!";
124 | "IC" = "CI";
125 | "IEC Symbols" = "Símbolos IEC";
126 | "In order to improve iCircuit, anonymous usage data can be collected and sent to the developer. This data includes which elements you add, which properties you set (not including values), and what errors occur. To opt out of this, tap the option to turn it off (unchecked)." = "Para mejorar iCircuit, los datos de uso anónimos pueden ser recogidos y enviados al desarrollador. Estos datos incluyen qué elementos se agregan, qué propiedades se establecen (sin incluir valores) y qué errores se producen. Para optar por salir de esto, pulse la opción para desactivarla (sin marcar).";
127 | "Inductance" = "Inductancia";
128 | "Inductance (H)" = "Inductancia (H)";
129 | "Inductor" = "Inductor";
130 | "Inertia" = "Inercia";
131 | "Internal Resistance (Ω)" = "Resistencia interna (Ω)";
132 | "Inverter" = "Inversor";
133 | "JK Flip-flop" = "Flip-flop JK";
134 | "L293 H-Bridge" = "Puente H L293";
135 | "LED" = "Led";
136 | "LM317 Voltage Regulator" = "Regulador de voltaje LM317";
137 | "Lamp" = "Lámpara";
138 | "Led" = "Led";
139 | "Led Matrix" = "Matriz de Led";
140 | "Library Filter" = "Filtro de biblioteca";
141 | "Light (lux)" = "Luz (lux)";
142 | "Light Mode" = "Modo de luz";
143 | "Line Over" = "Línea sobre";
144 | "Logarithmic" = "Logarítmica";
145 | "Max" = "Max";
146 | "Max Freq" = "Frec max";
147 | "Max Frequency (Hz)" = "Frecuencia máxima (Hz)";
148 | "Max Output (V)" = "Salida máxima (V)";
149 | "Max Resistance (Ω)" = "Resistencia máxima (Ω)";
150 | "Max Value" = "Valor máximo";
151 | "Max Voltage" = "Voltaje máximo";
152 | "MaxCurrent" = "CorrienteMax";
153 | "MaxPower" = "PotenciaMax";
154 | "MaxVoltage" = "VoltajeMax";
155 | "Measure" = "Medida";
156 | "Microphone" = "Micrófono";
157 | "Min" = "Min";
158 | "Min Frequency (Hz)" = "Frecuencia mínima (Hz)";
159 | "Min Output (V)" = "Salida mínima (V)";
160 | "Min Value" = "Valor mínimo";
161 | "Modulation" = "Modulación";
162 | "Momentary" = "Momentáneo";
163 | "Monospace" = "Monospace";
164 | "Motion Capacitance (F)" = "Capacitancia del movimiento (F)";
165 | "NAND Gate" = "Puerta NAND";
166 | "NOR Gate" = "Puerta NOR";
167 | "Name" = "Nombre";
168 | "No Tracks to Display" = "No hay pistas para mostrar";
169 | "No power (VIN)" = "Ninguna energía (VIN)";
170 | "Nominal Power" = "Potencia nominal";
171 | "Nominal Voltage" = "Voltaje nominal";
172 | "None" = "Ninguno";
173 | "Normally-closed" = "Normalmente cerrado";
174 | "Normally-closed (NC)" = "Normalmente cerrado (NC)";
175 | "Normally-open (NO)" = "Normalmente abierto (NO)";
176 | "Num Inputs" = "Numero de entradas";
177 | "Num Primary Windings" = "Numéro de vueltas del primario";
178 | "Num Secondary Windings" = "Numéro de vueltas del secundario";
179 | "Num Switches" = "Numéro de interruptores";
180 | "OR Gate" = "Puerta OR";
181 | "Off Resistance (Ω)" = "Resistencia de apagado (Ω)";
182 | "On Resistance (Ω)" = "Resistencia de encendido (Ω)";
183 | "Online Resources" = "Recursos en línea";
184 | "Op-amp" = "OP-Amp";
185 | "Open" = "Abierto";
186 | "Open Circuit Voltage" = "Voltaje del circuito abierto";
187 | "Orientation" = "Orientación";
188 | "P-P" = "P-P";
189 | "Paused" = "Pausado";
190 | "Peak Amplitude (V)" = "Pico de amplitud (V)";
191 | "Phase Offset (deg)" = "Desfase (°)";
192 | "Photoresistor" = "Fotoresistencia";
193 | "Pin Number" = "Número de PIN";
194 | "Polarized" = "Polarizado";
195 | "Port" = "Puerto";
196 | "Ports" = "Puertos";
197 | "Position" = "Posición";
198 | "Potentiometer" = "Potenciómetro";
199 | "Power" = "Potencia";
200 | "Primary Inductance (H)" = "Inductancia primaria (H)";
201 | "Pulse" = "Pulso";
202 | "Quality Factor" = "Factor de calidad";
203 | "RMS" = "RMS";
204 | "Recording" = "Grabación";
205 | "Red" = "Rojo";
206 | "Red (%)" = "Rojo (%)";
207 | "Relay" = "Relé";
208 | "Resistance" = "Resistencia";
209 | "Resistance (Ω)" = "Resistencia (Ω)";
210 | "Resistor" = "Resistencia";
211 | "Restore Examples" = "Restaurar ejemplos";
212 | "Reverse Polarity" = "Polaridad inversa";
213 | "Review on the App Store" = "Revisión en la App Store";
214 | "SCR" = "SCR";
215 | "SPDT Analog Switch" = "Interruptor análogo SPDT";
216 | "SPDT Switch" = "Interruptor SPDT";
217 | "SPST Push Switch" = "Interruptor de empuje SPST";
218 | "SPST Switch" = "Interruptor SPST";
219 | "Sawtooth" = "Diente de sierra";
220 | "Scope" = "Osciloscopio";
221 | "Series Resistance" = "Resistencia en serie";
222 | "Servo Motor" = "Servomotor";
223 | "Settings" = "Configuración";
224 | "Short Circuit Current" = "Corriente de cortocircuito";
225 | "Show Console" = "Mostrar Consola";
226 | "Show Current" = "Mostrar Corriente";
227 | "Show Grid" = "Mostrar Cuadrícula";
228 | "Show Ground" = "Mostrar Tierra";
229 | "Show Value" = "Mostrar Valor";
230 | "Show Values" = "Mostrar Valores";
231 | "Show Voltage" = "Mostrar Voltaje";
232 | "Shunt Capacitance (F)" = "Capacitancia de derivación (F)";
233 | "Signal Frequency (Hz)" = "Frecuencia de la señal (Hz)";
234 | "Silicon" = "Silicio";
235 | "Singular matrix!" = "¡Matriz singular!";
236 | "Size" = "Tamaño";
237 | "Slew Rate (V/ns)" = "Slew Rate (V/ns)";
238 | "Solar Cell" = "Celda Solar";
239 | "Sources" = "Fuentes";
240 | "Speaker" = "Altavoz";
241 | "Square Wave" = "Onda cuadrada";
242 | "Square Wave Source" = "Fuente de onda cuadrada";
243 | "Stacked" = "Apilados";
244 | "Stall Current" = "Corriente de parada";
245 | "Stall Torque (oz in)" = "Par de arranque (oz in)";
246 | "Start" = "Empezar";
247 | "Stepper Motor" = "Motor de pasos";
248 | "Subcircuit" = "Subcircuito";
249 | "Suggest an Improvement" = "Sugerir una mejora";
250 | "Supply Voltage" = "Tensión de alimentación";
251 | "Swap" = "Intercambio";
252 | "Sweep (linear)" = "Barrido (lineal)";
253 | "Sweep Time (s)" = "Tiempo del barrido (s)";
254 | "Tap elements to delete" = "Toque los elementos para eliminar";
255 | "Tapped Transformer" = "Transformador con toma";
256 | "Temperature (K)" = "Temperatura (K)";
257 | "Text" = "Texto";
258 | "Thank you for your help!" = "¡Gracias por su ayuda!";
259 | "Theme" = "Tema";
260 | "Thermistor" = "Termistor";
261 | "Threshold Voltage" = "Voltaje umbral";
262 | "Touch and drag to draw wires" = "Toque y arrastre para dibujar cables";
263 | "Transformer" = "Transformador";
264 | "Transistor" = "Transistor";
265 | "Translations on Github" = "Traducciones en Github";
266 | "Triangle" = "Triángulo";
267 | "Trigger" = "Disparador";
268 | "Trigger Current (A)" = "Corriente del disparador (A)";
269 | "Triggered" = "Disparado";
270 | "Tunnel Diode" = "Diodo Túnel";
271 | "Type" = "Tipo";
272 | "Val" = "Val";
273 | "Value" = "Valor";
274 | "Vertical" = "Vertical";
275 | "Voltage" = "Voltaje";
276 | "Voltage @ 1g" = "Voltage @ 1g";
277 | "Voltage Color" = "Color del voltaje";
278 | "Warmup Time (s)" = "Tiempo de Calentamiento(s)";
279 | "Waveform" = "Forma de Onda";
280 | "Width" = "Ancho";
281 | "WikipediaUrl" = "WikipediaUrl";
282 | "Wire" = "Cable";
283 | "Wire loop with no resistance!" = "¡Lazo de cable sin resistencia!";
284 | "XOR Gate" = "Puerta XOR";
285 | "Your review is very much appreciated!" = "¡Su opinión es muy apreciada!";
286 | "Zener Diode" = "Diodo Zener";
287 | "Zener Voltage @ 5mA" = "Voltaje Zener @ 5mA";
288 | "cutoff" = "corte";
289 | "fwd active" = "fwd activo";
290 | "iCircuit Manual" = "Manual de iCircuit";
291 | "iCircuit Website" = "Sitio web de iCircuit";
292 | "iCircuit is translated into several languages thanks to volunteers." = "iCircuit se traduce en varios idiomas gracias a los voluntarios.";
293 | "on Wikipedia" = "en Wikipedia";
294 |
--------------------------------------------------------------------------------
/ru.lproj/Localizable.strings:
--------------------------------------------------------------------------------
1 | "AC" = "AC";
2 | "AC Source" = "Источник переменного тока";
3 | "ADC" = "АЦП";
4 | "AM" = "AM";
5 | "AM Antenna" = "AM антенна";
6 | "AND Gate" = "AND вентиль";
7 | "Accelerometer" = "Акселерометр";
8 | "Active" = "Активный";
9 | "Add tracks by tapping signals in the meter" = "Добавление треков путем касания сигналов в счетчике";
10 | "Amplifier" = "Усилитель";
11 | "Amplitude (V)" = "Амплитуда (V)";
12 | "Analog" = "Аналоговый";
13 | "Analog Switch" = "Аналоговый выключатель";
14 | "Angle to Sun (deg)" = "Угол до солнца (°)";
15 | "Anode" = "Анод";
16 | "Appearance" = "Внешний вид";
17 | "Arduino" = "Arduino";
18 | "Auto Add Selected" = "Добавить выбранное автоматически";
19 | "Auto Duration" = "Автоматическая длительность";
20 | "Auto Values" = "Автоматические значения";
21 | "Automatic Bandwidth" = "Автоматическая пропускная способность";
22 | "Autowire" = "Авто маршрут";
23 | "Avg" = "Средняя";
24 | "BCD to 7-Segment Decoder" = "BCD в 7-сегментный декодер";
25 | "BJT Transistor" = "BJT транзистор";
26 | "BJT Transistor (NPN)" = "BJT транзистор (NPN)";
27 | "BJT Transistor (PNP)" = "BJT транзистор (PNP)";
28 | "Bandwidth (Hz)" = "Полоса пропускания (Гц)";
29 | "Beta" = "Бета-версия";
30 | "Beta/hFE" = "Бета/hFE";
31 | "Bidirectional" = "Двунаправленный";
32 | "Bits" = "Биты";
33 | "Blue" = "Синий";
34 | "Blue (%)" = "Синий (%)";
35 | "Bold" = "Жирный";
36 | "Bubble" = "Пузырь";
37 | "Buzzer" = "Зуммер";
38 | "Capacitance" = "Емкость";
39 | "Capacitance (F)" = "Емкость (F)";
40 | "Capacitor" = "Конденсатор";
41 | "Carrier Amplitude (V)" = "Амплитуда несущей (V)";
42 | "Carrier Frequency (Hz)" = "Несущая частота (Гц)";
43 | "Cathode" = "Катод";
44 | "Center" = "Центр";
45 | "Center Off" = "По центру выкл.";
46 | "Circuit" = "Цепь";
47 | "Circuit Settings" = "Настройки цепей";
48 | "Closed" = "Закрыт";
49 | "Code" = "Код";
50 | "Coil Inductance (H)" = "Индуктивность катушки (H)";
51 | "Coil Resistance (Ω)" = "Сопротивление катушки (Ω)";
52 | "Coil Voltage (V)" = "Напряжение катушки (V)";
53 | "Color" = "Цвет";
54 | "Colpitts Oscillator" = "Генератор Колпитца";
55 | "Contributors" = "Участников";
56 | "Conventional Direction" = "Обычное направление";
57 | "Cooldown Time (s)" = "Время восстановления (сек.)";
58 | "Counter" = "Счетчик";
59 | "Coupling Coefficient (%)" = "Коэффициент сцепления (%)";
60 | "Crystal Oscillator" = "Кварцевый генератор";
61 | "Current" = "Ток";
62 | "Current (A)" = "Ток (A)";
63 | "Current Dots" = "Текущие точки";
64 | "Current Rating (A)" = "Текущий рейтинг (A)";
65 | "D Flip-flop" = "D-триггер";
66 | "DAC" = "DAC";
67 | "DC" = "DC";
68 | "DC Current Source" = "Источник постоянного тока";
69 | "DC Motor" = "Двигатель постоянного тока";
70 | "DC Offset" = "Смещение постоянного тока";
71 | "DC Rail" = "Рельс постоянного тока";
72 | "DC Source" = "Источник постоянного тока";
73 | "Dark Mode" = "Темный режим";
74 | "Datasheet" = "Спецификация";
75 | "Delete" = "Удалить";
76 | "Dependent" = "Зависимые";
77 | "Dependent Current Source" = "Зависимый источник тока";
78 | "Dependent Source" = "Зависимый источник";
79 | "Differential Voltage" = "Дифференциальное напряжение";
80 | "Digital" = "Цифровой";
81 | "Digital Symbol" = "Цифровой символ";
82 | "Digitized Accelerometer" = "Оцифрованный акселерометр";
83 | "Diode" = "Диод";
84 | "Double-throw (DT)" = "Двойной бросок (DT)";
85 | "Drag to complete the wire" = "Перетащите, чтобы завершить провод";
86 | "Draw Border" = "Граница рисования";
87 | "Duration (s)" = "Продолжительность (сек.)";
88 | "Duty Cycle (%)" = "Рабочий цикл (%)";
89 | "Edit" = "Редактировать";
90 | "Electron Direction" = "Электронное направление";
91 | "Email Support" = "Поддержка по электронной почте";
92 | "Enable Anonymous Analytics" = "Включить анонимную аналитику";
93 | "End" = "Конец";
94 | "Examples" = "Примеры";
95 | "Export" = "Экспорт";
96 | "Expression" = "Выражение";
97 | "FM" = "FM";
98 | "FM Antenna" = "Антенна FM";
99 | "Flip X" = "Перевернуть X";
100 | "Flip Y" = "Перевернуть Y";
101 | "Flipped" = "Перевёрнут";
102 | "ForwardVoltage" = "Форвардволтаже";
103 | "Free Running Current" = "Свободный идущий ток";
104 | "Free Running RPM" = "Свободный бег RPM";
105 | "Freq" = "Частота";
106 | "Frequencies" = "Частоты";
107 | "Frequency (Hz)" = "Частота (Гц)";
108 | "Frequency Deviation (Hz)" = "Отклонение частоты (Гц)";
109 | "Fuse" = "Предохранитель";
110 | "Fwd Voltage @ 1A" = "FWD напряжение @ 1A";
111 | "Gate-Cathode Resistance (Ω)" = "Сопротивление строб-катода (Ω)";
112 | "Gauge" = "Измерительный прибор";
113 | "GitHub is used to coordinate the translation effort." = "GitHub используется для координации усилий по переводу.";
114 | "Green" = "Зеленый";
115 | "Green (%)" = "Зеленый (%)";
116 | "Ground" = "Земля";
117 | "H-Bridge" = "H-мост";
118 | "HEF4000B Datasheet" = "ХЕФ4000Б-описание производителя";
119 | "Height" = "Высота";
120 | "Help Translate" = "Помогите перевести";
121 | "Holding Current (A)" = "Удерживающий ток (A)";
122 | "Horizontal" = "Горизонтальной";
123 | "I promise to read all your feedback but I can't guarantee a response to every email. Sorry!" = "Я обещаю читать все ваши отзывы, но я не могу гарантировать ответ на каждое письмо. Извините!";
124 | "IC" = "IC";
125 | "IEC Symbols" = "Символы IEC";
126 | "In order to improve iCircuit, anonymous usage data can be collected and sent to the developer. This data includes which elements you add, which properties you set (not including values), and what errors occur. To opt out of this, tap the option to turn it off (unchecked)." = "Для того, чтобы улучшить ИЦиркуит, анонимные данные об использовании могут быть собраны и отправлены разработчику. Эти данные включают элементы, которые вы добавляете, какие свойства вы задаете (не включая значения), и какие ошибки происходят. Чтобы отказаться от этого, коснитесь параметра, чтобы выключить его (флажок не выбран).";
127 | "Inductance" = "Индуктивность";
128 | "Inductance (H)" = "Индуктивность (H)";
129 | "Inductor" = "Индуктор";
130 | "Inertia" = "Инерция";
131 | "Internal Resistance (Ω)" = "Внутреннее сопротивление (Ω)";
132 | "Inverter" = "Инвертор";
133 | "JK Flip-flop" = "JK-триггер";
134 | "LED" = "Светодиод";
135 | "LM317 Voltage Regulator" = "Регулятор напряжения LM317";
136 | "Lamp" = "Лампа";
137 | "Led" = "Светодиод";
138 | "Library Filter" = "Фильтр библиотеки";
139 | "Light (lux)" = "Свет (Люкс)";
140 | "Light Mode" = "Режим освещения";
141 | "Line Over" = "Линия над";
142 | "Logarithmic" = "Логарифмический";
143 | "Max" = "Макс";
144 | "Max Freq" = "Макс частота";
145 | "Max Frequency (Hz)" = "Максимальная частота (Гц)";
146 | "Max Output (V)" = "Максимальный выход (V)";
147 | "Max Resistance (Ω)" = "Максимальное сопротивление (Ω)";
148 | "Max Value" = "Максимальное значение";
149 | "Max Voltage" = "Максимальное напряжение";
150 | "MaxCurrent" = "Максимальный ток";
151 | "MaxPower" = "Максимальная мощность";
152 | "MaxVoltage" = "Максимальное напряжение тока";
153 | "Measure" = "Измерение";
154 | "Microphone" = "Микрофон";
155 | "Min" = "Мин";
156 | "Min Frequency (Hz)" = "Минимальная частота (Гц)";
157 | "Min Output (V)" = "Минимальный выход (V)";
158 | "Min Value" = "Минимальное значение";
159 | "Modulation" = "Модуляции";
160 | "Momentary" = "Мгновенное";
161 | "Monospace" = "Моноширинный";
162 | "Motion Capacitance (F)" = "Емкость движения (F)";
163 | "NAND Gate" = "NAND вентиль";
164 | "NOR Gate" = "NOR вентиль";
165 | "Name" = "Имя";
166 | "No Tracks to Display" = "Нет треков для отображения";
167 | "No power (VIN)" = "Нет питания (VIN)";
168 | "Nominal Power" = "Номинальная мощность";
169 | "Nominal Voltage" = "Номинальное напряжение";
170 | "None" = "Ни один";
171 | "Normally-closed" = "Нормально-закрытый";
172 | "Normally-closed (NC)" = "Нормально-закрытый (НЗ)";
173 | "Normally-open (NO)" = "Нормально-открыто (НО)";
174 | "Num Inputs" = "Количество входов";
175 | "Num Primary Windings" = "Num первичной обмотки";
176 | "Num Secondary Windings" = "Num вторичные обмотки";
177 | "Num Switches" = "Количество переключателей";
178 | "OR Gate" = "OR вентиль";
179 | "Off Resistance (Ω)" = "От сопротивления (Ω)";
180 | "On Resistance (Ω)" = "На сопротивлении (Ω)";
181 | "Online Resources" = "Интернет-ресурсы";
182 | "Op-amp" = "Op-amp";
183 | "Open" = "Открыть";
184 | "Open Circuit Voltage" = "Напряжение разомкнутой цепи";
185 | "Orientation" = "Ориентации";
186 | "P-P" = "P-P";
187 | "Paused" = "Приостановлена";
188 | "Peak Amplitude (V)" = "Пиковая амплитуда (V)";
189 | "Phase Offset (deg)" = "Смещение фазы (°)";
190 | "Photoresistor" = "Фоторезистор";
191 | "Pin Number" = "Контактный номер";
192 | "Polarized" = "Поляризованные";
193 | "Port" = "Порт";
194 | "Ports" = "Порты";
195 | "Position" = "Позиции";
196 | "Potentiometer" = "Потенциометр";
197 | "Power" = "Мощность";
198 | "Primary Inductance (H)" = "Первичная индуктивность (H)";
199 | "Pulse" = "Импульс";
200 | "Quality Factor" = "Фактор качества";
201 | "RMS" = "Rms";
202 | "Recording" = "Записи";
203 | "Red" = "Красного";
204 | "Red (%)" = "Красный (%)";
205 | "Relay" = "Реле";
206 | "Resistance" = "Сопротивление";
207 | "Resistance (Ω)" = "Сопротивление (Ω)";
208 | "Resistor" = "Резистор";
209 | "Restore Examples" = "Восстановить примеры";
210 | "Reverse Polarity" = "Обратная полярность";
211 | "Review on the App Store" = "Оставить обзор в App Store";
212 | "SCR" = "SCR";
213 | "SPDT Analog Switch" = "Аналоговый выключатель";
214 | "SPDT Switch" = "Однополюсный переключатель";
215 | "SPST Push Switch" = "SPST кнопочный выключатель";
216 | "SPST Switch" = "SPST выключатель";
217 | "Sawtooth" = "Пилообразная волна";
218 | "Scope" = "Области";
219 | "Series Resistance" = "Серия сопротивления";
220 | "Servo Motor" = "Серводвигатель";
221 | "Settings" = "Параметры";
222 | "Short Circuit Current" = "Создать короткое замыкание";
223 | "Show Console" = "Показать консоль";
224 | "Show Current" = "Показать текущий";
225 | "Show Grid" = "Показать сетку";
226 | "Show Ground" = "Показать землю";
227 | "Show Value" = "Показать значение";
228 | "Show Values" = "Показать значения";
229 | "Show Voltage" = "Показать напряжение";
230 | "Shunt Capacitance (F)" = "Шунтовая ёмкость (F)";
231 | "Signal Frequency (Hz)" = "Частота сигнала (Гц)";
232 | "Silicon" = "Кремний";
233 | "Singular matrix!" = "Сингулярная матрица!";
234 | "Size" = "Размер";
235 | "Slew Rate (V/ns)" = "Скорость нарастания (В/НС)";
236 | "Solar Cell" = "Солнечная батарея";
237 | "Sources" = "Источники";
238 | "Speaker" = "Динамик";
239 | "Square Wave" = "Квадратная волна";
240 | "Square Wave Source" = "Источник квадратной волны";
241 | "Stacked" = "Сложены";
242 | "Stall Current" = "Остановить ток";
243 | "Stall Torque (oz in)" = "Остановить крутящий момент (oz in)";
244 | "Start" = "Начать";
245 | "Stepper Motor" = "Шаговый двигатель";
246 | "Subcircuit" = "Подсхемы";
247 | "Suggest an Improvement" = "Предложить улучшение";
248 | "Supply Voltage" = "Напряжение питания";
249 | "Swap" = "Своп";
250 | "Sweep (linear)" = "Развертка (линейная)";
251 | "Sweep Time (s)" = "Время развертки (сек.)";
252 | "Tap elements to delete" = "Нажмите элементы для удаления";
253 | "Tapped Transformer" = "Повернутый трансформатор";
254 | "Temperature (K)" = "Температура (K)";
255 | "Text" = "Текст";
256 | "Thank you for your help!" = "Благодарим вас за помощь!";
257 | "Theme" = "Тема";
258 | "Thermistor" = "Термистор";
259 | "Threshold Voltage" = "Пороговое напряжение";
260 | "Touch and drag to draw wires" = "Касание и перетаскивание для рисования проводов";
261 | "Transformer" = "Трансформатор";
262 | "Transistor" = "Транзистор";
263 | "Translations on Github" = "Переводы на GitHub";
264 | "Triangle" = "Треугольник";
265 | "Trigger" = "Триггер";
266 | "Trigger Current (A)" = "Ток срабатывания (A)";
267 | "Triggered" = "Вызвало";
268 | "Type" = "Тип";
269 | "Val" = "Валь";
270 | "Value" = "Значение";
271 | "Vertical" = "Вертикальный";
272 | "Voltage" = "Напряжение";
273 | "Voltage @ 1g" = "Напряжение @ 1g";
274 | "Voltage Color" = "Цвет напряжения";
275 | "Warmup Time (s)" = "Время для разогрева (сек.)";
276 | "Waveform" = "Форма волны";
277 | "Width" = "Ширина";
278 | "WikipediaUrl" = "Ссылка в Википедии";
279 | "Wire" = "Провод";
280 | "Wire loop with no resistance!" = "Проволочная петля без сопротивления!";
281 | "XOR Gate" = "XOR вентил";
282 | "Your review is very much appreciated!" = "Ваш отзыв очень ценится!";
283 | "Zener Diode" = "Диоды стабилизации";
284 | "Zener Voltage @ 5mA" = "Напряжение тока стабилизации @ 5 мА";
285 | "cutoff" = "Среза";
286 | "fwd active" = "передний активный";
287 | "iCircuit Manual" = "Руководство по эксплуатации iCircuit";
288 | "iCircuit Website" = "Веб-сайт iCircuit";
289 | "iCircuit is translated into several languages thanks to volunteers." = "ИЦиркуит переведен на несколько языков благодаря волонтерам.";
290 | "on Wikipedia" = "на Википедии";
291 |
--------------------------------------------------------------------------------
/pt-BR.lproj/Localizable.strings:
--------------------------------------------------------------------------------
1 | "AC" = "CA";
2 | "AC Source" = "Fonte CA";
3 | "ADC" = "ADC";
4 | "AM" = "AM";
5 | "AM Antenna" = "Antena AM";
6 | "AND Gate" = "Porta AND";
7 | "Accelerometer" = "Acelerômetro";
8 | "Active" = "Ativo";
9 | "Add tracks by tapping signals in the meter" = "Adicionar faixas tocando nos sinais do medidor";
10 | "Amplifier" = "Amplificador";
11 | "Amplitude (V)" = "Amplitude (V)";
12 | "Analog" = "Analógico";
13 | "Analog Switch" = "Chave analógica";
14 | "Angle to Sun (deg)" = "Ângulo do sol (°)";
15 | "Anode" = "Ânodo";
16 | "Appearance" = "Aparência";
17 | "Arduino" = "Arduino";
18 | "Auto Add Selected" = "Auto adicionar selecionado";
19 | "Auto Duration" = "Duração automática";
20 | "Auto Values" = "Valores automáticos";
21 | "Automatic Bandwidth" = "Largura de banda automática";
22 | <<<<<<< HEAD:pt-BR.lproj/Localizable.strings
23 | "Autowire" = "Rotear Auto";
24 | =======
25 | "Autowire" = "Roteamento automático";
26 | >>>>>>> 94c04687468d15df96ad11ce3ed26b4aa9dcd442:pt.lproj/Localizable.strings
27 | "Avg" = "Avg";
28 | "BCD to 7-Segment Decoder" = "Decodificador BCD para 7 segmentos";
29 | "BJT Transistor" = "Transistor BJT";
30 | "BJT Transistor (NPN)" = "Transistor BJT (NPN)";
31 | "BJT Transistor (PNP)" = "Transistor BJT (PNP)";
32 | "Bandwidth (Hz)" = "Largura de banda (Hz)";
33 | "Beta" = "Beta";
34 | "Beta/hFE" = "Beta/hFE";
35 | "Bidirectional" = "Bidirecional";
36 | "Bits" = "Bits";
37 | "Blue" = "Azul";
38 | "Blue (%)" = "Azul (%)";
39 | "Bold" = "Negrito";
40 | "Bubble" = "Bolha"; *
41 | "Buzzer" = "Buzina";
42 | "Capacitance" = "Capacitância";
43 | "Capacitance (F)" = "Capacitância (F)";
44 | "Capacitor" = "Capacitor";
45 | "Carrier Amplitude (V)" = "Amplitude do portador (V)";
46 | "Carrier Frequency (Hz)" = "Frequência do portador (Hz)";
47 | "Cathode" = "Cátodo";
48 | "Center" = "Centro";
49 | "Center Off" = "Deslocamento de Centro";
50 | "Circuit" = "Circuito";
51 | "Circuit Settings" = "Configurações do circuito";
52 | "Closed" = "Fechado";
53 | "Code" = "Código";
54 | "Coil Inductance (H)" = "Indutância da bobina (H)";
55 | "Coil Resistance (Ω)" = "Resistência da bobina (Ω)";
56 | "Coil Voltage (V)" = "Tensão da bobina (V)";
57 | "Color" = "Cor";
58 | "Colpitts Oscillator" = "Oscilador de Colpitts";
59 | "Contributors" = "Contribuintes";
60 | "Conventional Direction" = "Direção convencional";
61 | "Cooldown Time (s)" = "Tempo de recarga (s)";
62 | "Counter" = "Contador";
63 | "Coupling Coefficient (%)" = "Coeficiente de acoplamento (%)";
64 | "Crystal Oscillator" = "Cristal de clock";
65 | "Current" = "Corrente";
66 | "Current (A)" = "Corrente (A)";
67 | "Current Dots" = "Corrent nos nós";
68 | "Current Rating (A)" = "Corrente máxima (A)";
69 | "D Flip-flop" = "Flip-flop D";
70 | "DAC" = "DAC";
71 | "DC" = "CC";
72 | "DC Current Source" = "Fonte de Corrente CC";
73 | "DC Motor" = "Motor CC";
74 | "DC Offset" = "Deslocamento CC";
75 | "DC Rail" = "Trilho CC";
76 | "DC Source" = "Fonte CC";
77 | "Dark Mode" = "Modo escuro";
78 | "Datasheet" = "Datasheet";
79 | "Delete" = "Excluir";
80 | "Dependent" = "Dependente";
81 | "Dependent Current Source" = "Fonte de corrente dependente";
82 | "Dependent Source" = "Fonte dependente";
83 | "Differential Voltage" = "Diferencial de potencial(ddp)";
84 | "Digital" = "Digital";
85 | "Digital Symbol" = "Símbolo Digital";
86 | "Digitized Accelerometer" = "Acelerômetro digital";
87 | "Diode" = "Diodo";
88 | <<<<<<< HEAD:pt-BR.lproj/Localizable.strings
89 | "Double-throw (DT)" = "Duplo-throw (DT)";
90 | "Drag to complete the wire" = "Arraste para completar o fio";
91 | =======
92 | "Double-throw (DT)" = "Acionamento duplo(DT)";
93 | >>>>>>> 94c04687468d15df96ad11ce3ed26b4aa9dcd442:pt.lproj/Localizable.strings
94 | "Draw Border" = "Desenhar borda";
95 | "Duration (s)" = "Duração (s)";
96 | "Duty Cycle (%)" = "Ciclo de trabalho (%)";
97 | "Edit" = "Editar";
98 | "Electron Direction" = "Direção dos elétrons";
99 | "Email Support" = "E-mail de suporte";
100 | "Enable Anonymous Analytics" = "Habilitar análise anônima";
101 | "End" = "Final";
102 | "Examples" = "Exemplos";
103 | "Export" = "Exportação";
104 | "Expression" = "Expressão";
105 | "FM" = "Fm";
106 | "FM Antenna" = "Antena FM";
107 | "Flip X" = "Girar eixo X";
108 | "Flip Y" = "Girar eixo Y";
109 | "Flipped" = "Invertida";
110 | "ForwardVoltage" = "Tensão direta";
111 | "Free Running Current" = "Corrente rodando a vazio";
112 | "Free Running RPM" = "RPM rodando a vazio";
113 | "Freq" = "Freq";
114 | "Frequencies" = "Frequências";
115 | "Frequency (Hz)" = "Frequência (Hz)";
116 | "Frequency Deviation (Hz)" = "Desvio de frequência (Hz)";
117 | "Fuse" = "Fusível";
118 | "Fwd Voltage @ 1A" = "Tensão de polarização do diodo a 1A";
119 | "Gate-Cathode Resistance (Ω)" = "Resistência da porta-cátodo (Ω)"; *
120 | "Gauge" = "Calibre";
121 | "GitHub is used to coordinate the translation effort." = "O GitHub é usado para coordenar o esforço de tradução.";
122 | "Green" = "Verde";
123 | "Green (%)" = "Verde (%)";
124 | "Ground" = "Terra";
125 | "H-Bridge" = "Ponte H";
126 | "HEF4000B Datasheet" = "HEF4000B Datasheet";
127 | "Height" = "Altura";
128 | <<<<<<< HEAD:pt-BR.lproj/Localizable.strings
129 | "Help Translate" = "Ajuda traduzir";
130 | "Holding Current (A)" = "Corrente da terra arrendada (A)";
131 | =======
132 | "Holding Current (A)" = "Corrente gravada (A)";
133 | >>>>>>> 94c04687468d15df96ad11ce3ed26b4aa9dcd442:pt.lproj/Localizable.strings
134 | "Horizontal" = "Horizontal";
135 | "I promise to read all your feedback but I can't guarantee a response to every email. Sorry!" = "Eu prometo ler todos os seus comentários, mas eu não posso prometer uma resposta a todos os e-mails. Me Desculpe!";
136 | "IC" = "IC";
137 | "IEC Symbols" = "Símbolos IEC";
138 | "In order to improve iCircuit, anonymous usage data can be collected and sent to the developer. This data includes which elements you add, which properties you set (not including values), and what errors occur. To opt out of this, tap the option to turn it off (unchecked)." = "Para melhorar o iCircuit, dados de uso anônimo podem ser coletados e enviados ao desenvolvedor. Esses dados incluem quais elementos você adiciona, quais propriedades você define (não incluindo valores) e quais erros ocorrem. Para evitar que seus dados sejam coletados, toque na opção para desativar (desmarcada).";
139 | "Inductance" = "Indutância";
140 | "Inductance (H)" = "Indutância (H)";
141 | "Inductor" = "Indutor";
142 | "Inertia" = "Inércia";
143 | "Internal Resistance (Ω)" = "Resistência interna (Ω)";
144 | "Inverter" = "Inversor";
145 | "JK Flip-flop" = "Flip-flop JK";
146 | "LED" = "Led";
147 | "LM317 Voltage Regulator" = "Regulador de tensão LM317";
148 | "Lamp" = "Lâmpada";
149 | "Led" = "Led";
150 | "Library Filter" = "Filtro de biblioteca";
151 | "Light (lux)" = "Luz (lux)";
152 | "Light Mode" = "Modo Claro";
153 | "Line Over" = "Linha over";
154 | "Logarithmic" = "Logarítmica";
155 | "Max" = "Max";
156 | "Max Freq" = "Freq. máxima";
157 | "Max Frequency (Hz)" = "Frequência máxima (Hz)";
158 | "Max Output (V)" = "Saída máxima (V)";
159 | "Max Resistance (Ω)" = "Resistência máxima (Ω)";
160 | "Max Value" = "Valor máximo";
161 | "Max Voltage" = "Tensão máxima";
162 | "MaxCurrent" = "Corrente máxima";
163 | "MaxPower" = "Potência máxima";
164 | "MaxVoltage" = "Tensão máxima";
165 | "Measure" = "Medida";
166 | "Microphone" = "Microfone";
167 | "Min" = "Min";
168 | "Min Frequency (Hz)" = "Frequência mínima (Hz)";
169 | "Min Output (V)" = "Saída mínima (V)";
170 | "Min Value" = "Valor mínimo";
171 | "Modulation" = "Modulação";
172 | "Momentary" = "Momentânea";
173 | "Monospace" = "Fonte de largura única";
174 | "Motion Capacitance (F)" = "Capacitância do movimento (F)";
175 | "NAND Gate" = "Porta NAND";
176 | "NOR Gate" = "Porta NOR";
177 | "Name" = "Nome";
178 | "No Tracks to Display" = "Não há faixas para exibir";
179 | "No power (VIN)" = "Sem potência (VIN)";
180 | "Nominal Power" = "Potência nominal";
181 | "Nominal Voltage" = "Tensão nominal";
182 | "None" = "Nenhum";
183 | "Normally-closed" = "Normalmente fechado";
184 | "Normally-closed (NC)" = "Normalmente fechado (NF)";
185 | "Normally-open (NO)" = "Normalmente aberto (NA)";
186 | "Num Inputs" = "Número de entradas";
187 | "Num Primary Windings" = "Número enrolamentos primários";
188 | "Num Secondary Windings" = "Número de enrolamentos secundários";
189 | "Num Switches" = "Número de chaves";
190 | "OR Gate" = "Porta OR";
191 | "Off Resistance (Ω)" = "Resistência do relé desligado (Ω)";
192 | "On Resistance (Ω)" = "Resistência do relé ligado(Ω)";
193 | "Online Resources" = "Recursos online";
194 | "Op-amp" = "Amp-op";
195 | "Open" = "Aberto";
196 | "Open Circuit Voltage" = "Tensão do circuito aberto";
197 | "Orientation" = "Orientação";
198 | "P-P" = "P-P";
199 | "Paused" = "Pausado";
200 | "Peak Amplitude (V)" = "Amplitude de pico (V)";
201 | "Phase Offset (deg)" = "Deslocamento de fase (°)";
202 | "Photoresistor" = "Fotoresistor";
203 | "Pin Number" = "Número do pino";
204 | "Polarized" = "Polarizado";
205 | "Port" = "Porta";
206 | "Ports" = "Portas";
207 | "Position" = "Posição";
208 | "Potentiometer" = "Potenciômetro";
209 | "Power" = "Potência";
210 | "Primary Inductance (H)" = "Indutância primaria (H)";
211 | "Pulse" = "Pulso";
212 | "Quality Factor" = "Factor Q";
213 | "RMS" = "RMS";
214 | "Recording" = "Gravação";
215 | "Red" = "Vermelho";
216 | "Red (%)" = "Vermelho (%)";
217 | "Relay" = "Relé";
218 | "Resistance" = "Resistência";
219 | "Resistance (Ω)" = "Resistência (Ω)";
220 | "Resistor" = "Resistor";
221 | "Restore Examples" = "Exemplos de restauração";
222 | "Reverse Polarity" = "Polaridade reversa";
223 | "Review on the App Store" = "Revisão na App Store";
224 | "SCR" = "SCR";
225 | "SPDT Analog Switch" = "Chave analógica SPDT";
226 | "SPDT Switch" = "Chave SPDT";
227 | "SPST Push Switch" = "Chave SPST tipo Push";
228 | "SPST Switch" = "Chave SPST";
229 | "Sawtooth" = "Sawtooth";
230 | "Scope" = "Escopo";
231 | "Series Resistance" = "Resistência em série";
232 | "Servo Motor" = "Servo motor";
233 | "Settings" = "Configurações";
234 | "Short Circuit Current" = "Corrente de curto-circuito";
235 | "Show Console" = "Mostrar console";
236 | "Show Current" = "Mostrar atual";
237 | "Show Grid" = "Mostrar grades";
238 | "Show Ground" = "Mostrar aterramento";
239 | "Show Value" = "Mostrar valor";
240 | "Show Values" = "Mostrar valores";
241 | "Show Voltage" = "Mostrar tensão";
242 | "Shunt Capacitance (F)" = "Capacitância shunt (F)";
243 | "Signal Frequency (Hz)" = "Frequência do sinal (Hz)";
244 | "Silicon" = "Silício";
245 | "Singular matrix!" = "Matriz singular!";
246 | "Size" = "Tamanho";
247 | "Slew Rate (V/ns)" = "Velocidade de varredura (V/ns)";
248 | "Solar Cell" = "Célula solar";
249 | "Sources" = "Fontes";
250 | "Speaker" = "Falante";
251 | "Square Wave" = "Onda quadrada";
252 | "Square Wave Source" = "Fonte de onda quadrada";
253 | "Stacked" = "Empilhados";
254 | "Stall Current" = "Corrente da tenda";
255 | "Stall Torque (oz in)" = "Torque máximo (oz in)";
256 | "Start" = "Começar";
257 | "Stepper Motor" = "Motor de passo";
258 | "Subcircuit" = "Subcircuito";
259 | "Suggest an Improvement" = "Sugerir uma melhoria";
260 | "Supply Voltage" = "Tensão de alimentação";
261 | "Swap" = "Trocar";
262 | "Sweep (linear)" = "Varredura (linear)";
263 | "Sweep Time (s)" = "Tempo de varredura (s)";
264 | "Tap elements to delete" = "Toque em elementos para apagar";
265 | "Tapped Transformer" = "Transformador com Tap";
266 | "Temperature (K)" = "Temperatura (K)";
267 | "Text" = "Texto";
268 | "Thank you for your help!" = "Obrigado pela sua ajuda!";
269 | "Theme" = "Tema";
270 | "Thermistor" = "Termístor";
271 | "Threshold Voltage" = "Limiar de tensão";
272 | "Touch and drag to draw wires" = "Toque e arraste para desenhar fios";
273 | "Transformer" = "Transformador";
274 | "Transistor" = "Transistor";
275 | "Translations on Github" = "Traduções no github";
276 | "Triangle" = "Triângulo";
277 | "Trigger" = "Gatilho";
278 | "Trigger Current (A)" = "Corrente do disparador (A)";
279 | "Triggered" = "Acionado";
280 | "Type" = "Tipo";
281 | "Val" = "Val";
282 | "Value" = "Valor";
283 | "Vertical" = "Vertical";
284 | "Voltage" = "Tensão";
285 | "Voltage @ 1g" = "Tensão @ 1G";
286 | "Voltage Color" = "Cor da tensão";
287 | "Warmup Time (s)" = "Tempo de warmup (s)";
288 | "Waveform" = "Forde de onda";
289 | "Width" = "Largura";
290 | "WikipediaUrl" = "Wikipedia";
291 | "Wire" = "Fio";
292 | "Wire loop with no resistance!" = "Loop de arame sem resistência!";
293 | "XOR Gate" = "Porta XOR";
294 | "Your review is very much appreciated!" = "Sua revisão é muito bem vinda!";
295 | "Zener Diode" = "Diodo Zener";
296 | "Zener Voltage @ 5mA" = "Tensão Zener @ 5mA";
297 | "cutoff" = "corte";
298 | "fwd active" = "fwd ativo";
299 | "iCircuit Manual" = "Manual do iCircuit";
300 | "iCircuit Website" = "Site iCircuit";
301 | "iCircuit is translated into several languages thanks to volunteers." = "iCircuit é traduzido em várias línguas graças aos voluntários.";
302 | "on Wikipedia" = "na Wikipedia";
303 |
--------------------------------------------------------------------------------
/pt-PT.lproj/Localizable.strings:
--------------------------------------------------------------------------------
1 | "AC" = "CA";
2 | "AC Source" = "Fonte CA";
3 | "ADC" = "ADC";
4 | "AM" = "AM";
5 | "AM Antenna" = "Antena AM";
6 | "AND Gate" = "Porta AND";
7 | "Accelerometer" = "Acelerômetro";
8 | "Active" = "Ativo";
9 | "Add tracks by tapping signals in the meter" = "Adicionar faixas tocando nos sinais do medidor";
10 | "Amplifier" = "Amplificador";
11 | "Amplitude (V)" = "Amplitude (V)";
12 | "Analog" = "Analógico";
13 | "Analog Switch" = "Chave analógica";
14 | "Angle to Sun (deg)" = "Ângulo do sol (°)";
15 | "Anode" = "Ânodo";
16 | "Appearance" = "Aparência";
17 | "Arduino" = "Arduino";
18 | "Auto Add Selected" = "Auto adicionar selecionado";
19 | "Auto Duration" = "Duração automática";
20 | "Auto Values" = "Valores automáticos";
21 | "Automatic Bandwidth" = "Largura de banda automática";
22 | <<<<<<< HEAD:pt-BR.lproj/Localizable.strings
23 | "Autowire" = "Rotear Auto";
24 | =======
25 | "Autowire" = "Roteamento automático";
26 | >>>>>>> 94c04687468d15df96ad11ce3ed26b4aa9dcd442:pt.lproj/Localizable.strings
27 | "Avg" = "Avg";
28 | "BCD to 7-Segment Decoder" = "Decodificador BCD para 7 segmentos";
29 | "BJT Transistor" = "Transistor BJT";
30 | "BJT Transistor (NPN)" = "Transistor BJT (NPN)";
31 | "BJT Transistor (PNP)" = "Transistor BJT (PNP)";
32 | "Bandwidth (Hz)" = "Largura de banda (Hz)";
33 | "Beta" = "Beta";
34 | "Beta/hFE" = "Beta/hFE";
35 | "Bidirectional" = "Bidirecional";
36 | "Bits" = "Bits";
37 | "Blue" = "Azul";
38 | "Blue (%)" = "Azul (%)";
39 | "Bold" = "Negrito";
40 | "Bubble" = "Bolha"; *
41 | "Buzzer" = "Buzina";
42 | "Capacitance" = "Capacitância";
43 | "Capacitance (F)" = "Capacitância (F)";
44 | "Capacitor" = "Capacitor";
45 | "Carrier Amplitude (V)" = "Amplitude do portador (V)";
46 | "Carrier Frequency (Hz)" = "Frequência do portador (Hz)";
47 | "Cathode" = "Cátodo";
48 | "Center" = "Centro";
49 | "Center Off" = "Deslocamento de Centro";
50 | "Circuit" = "Circuito";
51 | "Circuit Settings" = "Configurações do circuito";
52 | "Closed" = "Fechado";
53 | "Code" = "Código";
54 | "Coil Inductance (H)" = "Indutância da bobina (H)";
55 | "Coil Resistance (Ω)" = "Resistência da bobina (Ω)";
56 | "Coil Voltage (V)" = "Tensão da bobina (V)";
57 | "Color" = "Cor";
58 | "Colpitts Oscillator" = "Oscilador de Colpitts";
59 | "Contributors" = "Contribuintes";
60 | "Conventional Direction" = "Direção convencional";
61 | "Cooldown Time (s)" = "Tempo de recarga (s)";
62 | "Counter" = "Contador";
63 | "Coupling Coefficient (%)" = "Coeficiente de acoplamento (%)";
64 | "Crystal Oscillator" = "Cristal de clock";
65 | "Current" = "Corrente";
66 | "Current (A)" = "Corrente (A)";
67 | "Current Dots" = "Corrent nos nós";
68 | "Current Rating (A)" = "Corrente máxima (A)";
69 | "D Flip-flop" = "Flip-flop D";
70 | "DAC" = "DAC";
71 | "DC" = "CC";
72 | "DC Current Source" = "Fonte de Corrente CC";
73 | "DC Motor" = "Motor CC";
74 | "DC Offset" = "Deslocamento CC";
75 | "DC Rail" = "Trilho CC";
76 | "DC Source" = "Fonte CC";
77 | "Dark Mode" = "Modo escuro";
78 | "Datasheet" = "Datasheet";
79 | "Delete" = "Excluir";
80 | "Dependent" = "Dependente";
81 | "Dependent Current Source" = "Fonte de corrente dependente";
82 | "Dependent Source" = "Fonte dependente";
83 | "Differential Voltage" = "Diferencial de potencial(ddp)";
84 | "Digital" = "Digital";
85 | "Digital Symbol" = "Símbolo Digital";
86 | "Digitized Accelerometer" = "Acelerômetro digital";
87 | "Diode" = "Diodo";
88 | <<<<<<< HEAD:pt-BR.lproj/Localizable.strings
89 | "Double-throw (DT)" = "Duplo-throw (DT)";
90 | "Drag to complete the wire" = "Arraste para completar o fio";
91 | =======
92 | "Double-throw (DT)" = "Acionamento duplo(DT)";
93 | >>>>>>> 94c04687468d15df96ad11ce3ed26b4aa9dcd442:pt.lproj/Localizable.strings
94 | "Draw Border" = "Desenhar borda";
95 | "Duration (s)" = "Duração (s)";
96 | "Duty Cycle (%)" = "Ciclo de trabalho (%)";
97 | "Edit" = "Editar";
98 | "Electron Direction" = "Direção dos elétrons";
99 | "Email Support" = "E-mail de suporte";
100 | "Enable Anonymous Analytics" = "Habilitar análise anônima";
101 | "End" = "Final";
102 | "Examples" = "Exemplos";
103 | "Export" = "Exportação";
104 | "Expression" = "Expressão";
105 | "FM" = "Fm";
106 | "FM Antenna" = "Antena FM";
107 | "Flip X" = "Girar eixo X";
108 | "Flip Y" = "Girar eixo Y";
109 | "Flipped" = "Invertida";
110 | "ForwardVoltage" = "Tensão direta";
111 | "Free Running Current" = "Corrente rodando a vazio";
112 | "Free Running RPM" = "RPM rodando a vazio";
113 | "Freq" = "Freq";
114 | "Frequencies" = "Frequências";
115 | "Frequency (Hz)" = "Frequência (Hz)";
116 | "Frequency Deviation (Hz)" = "Desvio de frequência (Hz)";
117 | "Fuse" = "Fusível";
118 | "Fwd Voltage @ 1A" = "Tensão de polarização do diodo a 1A";
119 | "Gate-Cathode Resistance (Ω)" = "Resistência da porta-cátodo (Ω)"; *
120 | "Gauge" = "Calibre";
121 | "GitHub is used to coordinate the translation effort." = "O GitHub é usado para coordenar o esforço de tradução.";
122 | "Green" = "Verde";
123 | "Green (%)" = "Verde (%)";
124 | "Ground" = "Terra";
125 | "H-Bridge" = "Ponte H";
126 | "HEF4000B Datasheet" = "HEF4000B Datasheet";
127 | "Height" = "Altura";
128 | <<<<<<< HEAD:pt-BR.lproj/Localizable.strings
129 | "Help Translate" = "Ajuda traduzir";
130 | "Holding Current (A)" = "Corrente da terra arrendada (A)";
131 | =======
132 | "Holding Current (A)" = "Corrente gravada (A)";
133 | >>>>>>> 94c04687468d15df96ad11ce3ed26b4aa9dcd442:pt.lproj/Localizable.strings
134 | "Horizontal" = "Horizontal";
135 | "I promise to read all your feedback but I can't guarantee a response to every email. Sorry!" = "Eu prometo ler todos os seus comentários, mas eu não posso prometer uma resposta a todos os e-mails. Me Desculpe!";
136 | "IC" = "IC";
137 | "IEC Symbols" = "Símbolos IEC";
138 | "In order to improve iCircuit, anonymous usage data can be collected and sent to the developer. This data includes which elements you add, which properties you set (not including values), and what errors occur. To opt out of this, tap the option to turn it off (unchecked)." = "Para melhorar o iCircuit, dados de uso anônimo podem ser coletados e enviados ao desenvolvedor. Esses dados incluem quais elementos você adiciona, quais propriedades você define (não incluindo valores) e quais erros ocorrem. Para evitar que seus dados sejam coletados, toque na opção para desativar (desmarcada).";
139 | "Inductance" = "Indutância";
140 | "Inductance (H)" = "Indutância (H)";
141 | "Inductor" = "Indutor";
142 | "Inertia" = "Inércia";
143 | "Internal Resistance (Ω)" = "Resistência interna (Ω)";
144 | "Inverter" = "Inversor";
145 | "JK Flip-flop" = "Flip-flop JK";
146 | "LED" = "Led";
147 | "LM317 Voltage Regulator" = "Regulador de tensão LM317";
148 | "Lamp" = "Lâmpada";
149 | "Led" = "Led";
150 | "Library Filter" = "Filtro de biblioteca";
151 | "Light (lux)" = "Luz (lux)";
152 | "Light Mode" = "Modo Claro";
153 | "Line Over" = "Linha over";
154 | "Logarithmic" = "Logarítmica";
155 | "Max" = "Max";
156 | "Max Freq" = "Freq. máxima";
157 | "Max Frequency (Hz)" = "Frequência máxima (Hz)";
158 | "Max Output (V)" = "Saída máxima (V)";
159 | "Max Resistance (Ω)" = "Resistência máxima (Ω)";
160 | "Max Value" = "Valor máximo";
161 | "Max Voltage" = "Tensão máxima";
162 | "MaxCurrent" = "Corrente máxima";
163 | "MaxPower" = "Potência máxima";
164 | "MaxVoltage" = "Tensão máxima";
165 | "Measure" = "Medida";
166 | "Microphone" = "Microfone";
167 | "Min" = "Min";
168 | "Min Frequency (Hz)" = "Frequência mínima (Hz)";
169 | "Min Output (V)" = "Saída mínima (V)";
170 | "Min Value" = "Valor mínimo";
171 | "Modulation" = "Modulação";
172 | "Momentary" = "Momentânea";
173 | "Monospace" = "Fonte de largura única";
174 | "Motion Capacitance (F)" = "Capacitância do movimento (F)";
175 | "NAND Gate" = "Porta NAND";
176 | "NOR Gate" = "Porta NOR";
177 | "Name" = "Nome";
178 | "No Tracks to Display" = "Não há faixas para exibir";
179 | "No power (VIN)" = "Sem potência (VIN)";
180 | "Nominal Power" = "Potência nominal";
181 | "Nominal Voltage" = "Tensão nominal";
182 | "None" = "Nenhum";
183 | "Normally-closed" = "Normalmente fechado";
184 | "Normally-closed (NC)" = "Normalmente fechado (NF)";
185 | "Normally-open (NO)" = "Normalmente aberto (NA)";
186 | "Num Inputs" = "Número de entradas";
187 | "Num Primary Windings" = "Número enrolamentos primários";
188 | "Num Secondary Windings" = "Número de enrolamentos secundários";
189 | "Num Switches" = "Número de chaves";
190 | "OR Gate" = "Porta OR";
191 | "Off Resistance (Ω)" = "Resistência do relé desligado (Ω)";
192 | "On Resistance (Ω)" = "Resistência do relé ligado(Ω)";
193 | "Online Resources" = "Recursos online";
194 | "Op-amp" = "Amp-op";
195 | "Open" = "Aberto";
196 | "Open Circuit Voltage" = "Tensão do circuito aberto";
197 | "Orientation" = "Orientação";
198 | "P-P" = "P-P";
199 | "Paused" = "Pausado";
200 | "Peak Amplitude (V)" = "Amplitude de pico (V)";
201 | "Phase Offset (deg)" = "Deslocamento de fase (°)";
202 | "Photoresistor" = "Fotoresistor";
203 | "Pin Number" = "Número do pino";
204 | "Polarized" = "Polarizado";
205 | "Port" = "Porta";
206 | "Ports" = "Portas";
207 | "Position" = "Posição";
208 | "Potentiometer" = "Potenciômetro";
209 | "Power" = "Potência";
210 | "Primary Inductance (H)" = "Indutância primaria (H)";
211 | "Pulse" = "Pulso";
212 | "Quality Factor" = "Factor Q";
213 | "RMS" = "RMS";
214 | "Recording" = "Gravação";
215 | "Red" = "Vermelho";
216 | "Red (%)" = "Vermelho (%)";
217 | "Relay" = "Relé";
218 | "Resistance" = "Resistência";
219 | "Resistance (Ω)" = "Resistência (Ω)";
220 | "Resistor" = "Resistor";
221 | "Restore Examples" = "Exemplos de restauração";
222 | "Reverse Polarity" = "Polaridade reversa";
223 | "Review on the App Store" = "Revisão na App Store";
224 | "SCR" = "SCR";
225 | "SPDT Analog Switch" = "Chave analógica SPDT";
226 | "SPDT Switch" = "Chave SPDT";
227 | "SPST Push Switch" = "Chave SPST tipo Push";
228 | "SPST Switch" = "Chave SPST";
229 | "Sawtooth" = "Sawtooth";
230 | "Scope" = "Escopo";
231 | "Series Resistance" = "Resistência em série";
232 | "Servo Motor" = "Servo motor";
233 | "Settings" = "Configurações";
234 | "Short Circuit Current" = "Corrente de curto-circuito";
235 | "Show Console" = "Mostrar console";
236 | "Show Current" = "Mostrar atual";
237 | "Show Grid" = "Mostrar grades";
238 | "Show Ground" = "Mostrar aterramento";
239 | "Show Value" = "Mostrar valor";
240 | "Show Values" = "Mostrar valores";
241 | "Show Voltage" = "Mostrar tensão";
242 | "Shunt Capacitance (F)" = "Capacitância shunt (F)";
243 | "Signal Frequency (Hz)" = "Frequência do sinal (Hz)";
244 | "Silicon" = "Silício";
245 | "Singular matrix!" = "Matriz singular!";
246 | "Size" = "Tamanho";
247 | "Slew Rate (V/ns)" = "Velocidade de varredura (V/ns)";
248 | "Solar Cell" = "Célula solar";
249 | "Sources" = "Fontes";
250 | "Speaker" = "Falante";
251 | "Square Wave" = "Onda quadrada";
252 | "Square Wave Source" = "Fonte de onda quadrada";
253 | "Stacked" = "Empilhados";
254 | "Stall Current" = "Corrente da tenda";
255 | "Stall Torque (oz in)" = "Torque máximo (oz in)";
256 | "Start" = "Começar";
257 | "Stepper Motor" = "Motor de passo";
258 | "Subcircuit" = "Subcircuito";
259 | "Suggest an Improvement" = "Sugerir uma melhoria";
260 | "Supply Voltage" = "Tensão de alimentação";
261 | "Swap" = "Trocar";
262 | "Sweep (linear)" = "Varredura (linear)";
263 | "Sweep Time (s)" = "Tempo de varredura (s)";
264 | "Tap elements to delete" = "Toque em elementos para apagar";
265 | "Tapped Transformer" = "Transformador com Tap";
266 | "Temperature (K)" = "Temperatura (K)";
267 | "Text" = "Texto";
268 | "Thank you for your help!" = "Obrigado pela sua ajuda!";
269 | "Theme" = "Tema";
270 | "Thermistor" = "Termístor";
271 | "Threshold Voltage" = "Limiar de tensão";
272 | "Touch and drag to draw wires" = "Toque e arraste para desenhar fios";
273 | "Transformer" = "Transformador";
274 | "Transistor" = "Transistor";
275 | "Translations on Github" = "Traduções no github";
276 | "Triangle" = "Triângulo";
277 | "Trigger" = "Gatilho";
278 | "Trigger Current (A)" = "Corrente do disparador (A)";
279 | "Triggered" = "Acionado";
280 | "Type" = "Tipo";
281 | "Val" = "Val";
282 | "Value" = "Valor";
283 | "Vertical" = "Vertical";
284 | "Voltage" = "Tensão";
285 | "Voltage @ 1g" = "Tensão @ 1G";
286 | "Voltage Color" = "Cor da tensão";
287 | "Warmup Time (s)" = "Tempo de warmup (s)";
288 | "Waveform" = "Forde de onda";
289 | "Width" = "Largura";
290 | "WikipediaUrl" = "Wikipedia";
291 | "Wire" = "Fio";
292 | "Wire loop with no resistance!" = "Loop de arame sem resistência!";
293 | "XOR Gate" = "Porta XOR";
294 | "Your review is very much appreciated!" = "Sua revisão é muito bem vinda!";
295 | "Zener Diode" = "Diodo Zener";
296 | "Zener Voltage @ 5mA" = "Tensão Zener @ 5mA";
297 | "cutoff" = "corte";
298 | "fwd active" = "fwd ativo";
299 | "iCircuit Manual" = "Manual do iCircuit";
300 | "iCircuit Website" = "Site iCircuit";
301 | "iCircuit is translated into several languages thanks to volunteers." = "iCircuit é traduzido em várias línguas graças aos voluntários.";
302 | "on Wikipedia" = "na Wikipedia";
303 |
--------------------------------------------------------------------------------
/LICENSE:
--------------------------------------------------------------------------------
1 | Attribution 4.0 International
2 |
3 | =======================================================================
4 |
5 | Creative Commons Corporation ("Creative Commons") is not a law firm and
6 | does not provide legal services or legal advice. Distribution of
7 | Creative Commons public licenses does not create a lawyer-client or
8 | other relationship. Creative Commons makes its licenses and related
9 | information available on an "as-is" basis. Creative Commons gives no
10 | warranties regarding its licenses, any material licensed under their
11 | terms and conditions, or any related information. Creative Commons
12 | disclaims all liability for damages resulting from their use to the
13 | fullest extent possible.
14 |
15 | Using Creative Commons Public Licenses
16 |
17 | Creative Commons public licenses provide a standard set of terms and
18 | conditions that creators and other rights holders may use to share
19 | original works of authorship and other material subject to copyright
20 | and certain other rights specified in the public license below. The
21 | following considerations are for informational purposes only, are not
22 | exhaustive, and do not form part of our licenses.
23 |
24 | Considerations for licensors: Our public licenses are
25 | intended for use by those authorized to give the public
26 | permission to use material in ways otherwise restricted by
27 | copyright and certain other rights. Our licenses are
28 | irrevocable. Licensors should read and understand the terms
29 | and conditions of the license they choose before applying it.
30 | Licensors should also secure all rights necessary before
31 | applying our licenses so that the public can reuse the
32 | material as expected. Licensors should clearly mark any
33 | material not subject to the license. This includes other CC-
34 | licensed material, or material used under an exception or
35 | limitation to copyright. More considerations for licensors:
36 | wiki.creativecommons.org/Considerations_for_licensors
37 |
38 | Considerations for the public: By using one of our public
39 | licenses, a licensor grants the public permission to use the
40 | licensed material under specified terms and conditions. If
41 | the licensor's permission is not necessary for any reason--for
42 | example, because of any applicable exception or limitation to
43 | copyright--then that use is not regulated by the license. Our
44 | licenses grant only permissions under copyright and certain
45 | other rights that a licensor has authority to grant. Use of
46 | the licensed material may still be restricted for other
47 | reasons, including because others have copyright or other
48 | rights in the material. A licensor may make special requests,
49 | such as asking that all changes be marked or described.
50 | Although not required by our licenses, you are encouraged to
51 | respect those requests where reasonable. More considerations
52 | for the public:
53 | wiki.creativecommons.org/Considerations_for_licensees
54 |
55 | =======================================================================
56 |
57 | Creative Commons Attribution 4.0 International Public License
58 |
59 | By exercising the Licensed Rights (defined below), You accept and agree
60 | to be bound by the terms and conditions of this Creative Commons
61 | Attribution 4.0 International Public License ("Public License"). To the
62 | extent this Public License may be interpreted as a contract, You are
63 | granted the Licensed Rights in consideration of Your acceptance of
64 | these terms and conditions, and the Licensor grants You such rights in
65 | consideration of benefits the Licensor receives from making the
66 | Licensed Material available under these terms and conditions.
67 |
68 |
69 | Section 1 -- Definitions.
70 |
71 | a. Adapted Material means material subject to Copyright and Similar
72 | Rights that is derived from or based upon the Licensed Material
73 | and in which the Licensed Material is translated, altered,
74 | arranged, transformed, or otherwise modified in a manner requiring
75 | permission under the Copyright and Similar Rights held by the
76 | Licensor. For purposes of this Public License, where the Licensed
77 | Material is a musical work, performance, or sound recording,
78 | Adapted Material is always produced where the Licensed Material is
79 | synched in timed relation with a moving image.
80 |
81 | b. Adapter's License means the license You apply to Your Copyright
82 | and Similar Rights in Your contributions to Adapted Material in
83 | accordance with the terms and conditions of this Public License.
84 |
85 | c. Copyright and Similar Rights means copyright and/or similar rights
86 | closely related to copyright including, without limitation,
87 | performance, broadcast, sound recording, and Sui Generis Database
88 | Rights, without regard to how the rights are labeled or
89 | categorized. For purposes of this Public License, the rights
90 | specified in Section 2(b)(1)-(2) are not Copyright and Similar
91 | Rights.
92 |
93 | d. Effective Technological Measures means those measures that, in the
94 | absence of proper authority, may not be circumvented under laws
95 | fulfilling obligations under Article 11 of the WIPO Copyright
96 | Treaty adopted on December 20, 1996, and/or similar international
97 | agreements.
98 |
99 | e. Exceptions and Limitations means fair use, fair dealing, and/or
100 | any other exception or limitation to Copyright and Similar Rights
101 | that applies to Your use of the Licensed Material.
102 |
103 | f. Licensed Material means the artistic or literary work, database,
104 | or other material to which the Licensor applied this Public
105 | License.
106 |
107 | g. Licensed Rights means the rights granted to You subject to the
108 | terms and conditions of this Public License, which are limited to
109 | all Copyright and Similar Rights that apply to Your use of the
110 | Licensed Material and that the Licensor has authority to license.
111 |
112 | h. Licensor means the individual(s) or entity(ies) granting rights
113 | under this Public License.
114 |
115 | i. Share means to provide material to the public by any means or
116 | process that requires permission under the Licensed Rights, such
117 | as reproduction, public display, public performance, distribution,
118 | dissemination, communication, or importation, and to make material
119 | available to the public including in ways that members of the
120 | public may access the material from a place and at a time
121 | individually chosen by them.
122 |
123 | j. Sui Generis Database Rights means rights other than copyright
124 | resulting from Directive 96/9/EC of the European Parliament and of
125 | the Council of 11 March 1996 on the legal protection of databases,
126 | as amended and/or succeeded, as well as other essentially
127 | equivalent rights anywhere in the world.
128 |
129 | k. You means the individual or entity exercising the Licensed Rights
130 | under this Public License. Your has a corresponding meaning.
131 |
132 |
133 | Section 2 -- Scope.
134 |
135 | a. License grant.
136 |
137 | 1. Subject to the terms and conditions of this Public License,
138 | the Licensor hereby grants You a worldwide, royalty-free,
139 | non-sublicensable, non-exclusive, irrevocable license to
140 | exercise the Licensed Rights in the Licensed Material to:
141 |
142 | a. reproduce and Share the Licensed Material, in whole or
143 | in part; and
144 |
145 | b. produce, reproduce, and Share Adapted Material.
146 |
147 | 2. Exceptions and Limitations. For the avoidance of doubt, where
148 | Exceptions and Limitations apply to Your use, this Public
149 | License does not apply, and You do not need to comply with
150 | its terms and conditions.
151 |
152 | 3. Term. The term of this Public License is specified in Section
153 | 6(a).
154 |
155 | 4. Media and formats; technical modifications allowed. The
156 | Licensor authorizes You to exercise the Licensed Rights in
157 | all media and formats whether now known or hereafter created,
158 | and to make technical modifications necessary to do so. The
159 | Licensor waives and/or agrees not to assert any right or
160 | authority to forbid You from making technical modifications
161 | necessary to exercise the Licensed Rights, including
162 | technical modifications necessary to circumvent Effective
163 | Technological Measures. For purposes of this Public License,
164 | simply making modifications authorized by this Section 2(a)
165 | (4) never produces Adapted Material.
166 |
167 | 5. Downstream recipients.
168 |
169 | a. Offer from the Licensor -- Licensed Material. Every
170 | recipient of the Licensed Material automatically
171 | receives an offer from the Licensor to exercise the
172 | Licensed Rights under the terms and conditions of this
173 | Public License.
174 |
175 | b. No downstream restrictions. You may not offer or impose
176 | any additional or different terms or conditions on, or
177 | apply any Effective Technological Measures to, the
178 | Licensed Material if doing so restricts exercise of the
179 | Licensed Rights by any recipient of the Licensed
180 | Material.
181 |
182 | 6. No endorsement. Nothing in this Public License constitutes or
183 | may be construed as permission to assert or imply that You
184 | are, or that Your use of the Licensed Material is, connected
185 | with, or sponsored, endorsed, or granted official status by,
186 | the Licensor or others designated to receive attribution as
187 | provided in Section 3(a)(1)(A)(i).
188 |
189 | b. Other rights.
190 |
191 | 1. Moral rights, such as the right of integrity, are not
192 | licensed under this Public License, nor are publicity,
193 | privacy, and/or other similar personality rights; however, to
194 | the extent possible, the Licensor waives and/or agrees not to
195 | assert any such rights held by the Licensor to the limited
196 | extent necessary to allow You to exercise the Licensed
197 | Rights, but not otherwise.
198 |
199 | 2. Patent and trademark rights are not licensed under this
200 | Public License.
201 |
202 | 3. To the extent possible, the Licensor waives any right to
203 | collect royalties from You for the exercise of the Licensed
204 | Rights, whether directly or through a collecting society
205 | under any voluntary or waivable statutory or compulsory
206 | licensing scheme. In all other cases the Licensor expressly
207 | reserves any right to collect such royalties.
208 |
209 |
210 | Section 3 -- License Conditions.
211 |
212 | Your exercise of the Licensed Rights is expressly made subject to the
213 | following conditions.
214 |
215 | a. Attribution.
216 |
217 | 1. If You Share the Licensed Material (including in modified
218 | form), You must:
219 |
220 | a. retain the following if it is supplied by the Licensor
221 | with the Licensed Material:
222 |
223 | i. identification of the creator(s) of the Licensed
224 | Material and any others designated to receive
225 | attribution, in any reasonable manner requested by
226 | the Licensor (including by pseudonym if
227 | designated);
228 |
229 | ii. a copyright notice;
230 |
231 | iii. a notice that refers to this Public License;
232 |
233 | iv. a notice that refers to the disclaimer of
234 | warranties;
235 |
236 | v. a URI or hyperlink to the Licensed Material to the
237 | extent reasonably practicable;
238 |
239 | b. indicate if You modified the Licensed Material and
240 | retain an indication of any previous modifications; and
241 |
242 | c. indicate the Licensed Material is licensed under this
243 | Public License, and include the text of, or the URI or
244 | hyperlink to, this Public License.
245 |
246 | 2. You may satisfy the conditions in Section 3(a)(1) in any
247 | reasonable manner based on the medium, means, and context in
248 | which You Share the Licensed Material. For example, it may be
249 | reasonable to satisfy the conditions by providing a URI or
250 | hyperlink to a resource that includes the required
251 | information.
252 |
253 | 3. If requested by the Licensor, You must remove any of the
254 | information required by Section 3(a)(1)(A) to the extent
255 | reasonably practicable.
256 |
257 | 4. If You Share Adapted Material You produce, the Adapter's
258 | License You apply must not prevent recipients of the Adapted
259 | Material from complying with this Public License.
260 |
261 |
262 | Section 4 -- Sui Generis Database Rights.
263 |
264 | Where the Licensed Rights include Sui Generis Database Rights that
265 | apply to Your use of the Licensed Material:
266 |
267 | a. for the avoidance of doubt, Section 2(a)(1) grants You the right
268 | to extract, reuse, reproduce, and Share all or a substantial
269 | portion of the contents of the database;
270 |
271 | b. if You include all or a substantial portion of the database
272 | contents in a database in which You have Sui Generis Database
273 | Rights, then the database in which You have Sui Generis Database
274 | Rights (but not its individual contents) is Adapted Material; and
275 |
276 | c. You must comply with the conditions in Section 3(a) if You Share
277 | all or a substantial portion of the contents of the database.
278 |
279 | For the avoidance of doubt, this Section 4 supplements and does not
280 | replace Your obligations under this Public License where the Licensed
281 | Rights include other Copyright and Similar Rights.
282 |
283 |
284 | Section 5 -- Disclaimer of Warranties and Limitation of Liability.
285 |
286 | a. UNLESS OTHERWISE SEPARATELY UNDERTAKEN BY THE LICENSOR, TO THE
287 | EXTENT POSSIBLE, THE LICENSOR OFFERS THE LICENSED MATERIAL AS-IS
288 | AND AS-AVAILABLE, AND MAKES NO REPRESENTATIONS OR WARRANTIES OF
289 | ANY KIND CONCERNING THE LICENSED MATERIAL, WHETHER EXPRESS,
290 | IMPLIED, STATUTORY, OR OTHER. THIS INCLUDES, WITHOUT LIMITATION,
291 | WARRANTIES OF TITLE, MERCHANTABILITY, FITNESS FOR A PARTICULAR
292 | PURPOSE, NON-INFRINGEMENT, ABSENCE OF LATENT OR OTHER DEFECTS,
293 | ACCURACY, OR THE PRESENCE OR ABSENCE OF ERRORS, WHETHER OR NOT
294 | KNOWN OR DISCOVERABLE. WHERE DISCLAIMERS OF WARRANTIES ARE NOT
295 | ALLOWED IN FULL OR IN PART, THIS DISCLAIMER MAY NOT APPLY TO YOU.
296 |
297 | b. TO THE EXTENT POSSIBLE, IN NO EVENT WILL THE LICENSOR BE LIABLE
298 | TO YOU ON ANY LEGAL THEORY (INCLUDING, WITHOUT LIMITATION,
299 | NEGLIGENCE) OR OTHERWISE FOR ANY DIRECT, SPECIAL, INDIRECT,
300 | INCIDENTAL, CONSEQUENTIAL, PUNITIVE, EXEMPLARY, OR OTHER LOSSES,
301 | COSTS, EXPENSES, OR DAMAGES ARISING OUT OF THIS PUBLIC LICENSE OR
302 | USE OF THE LICENSED MATERIAL, EVEN IF THE LICENSOR HAS BEEN
303 | ADVISED OF THE POSSIBILITY OF SUCH LOSSES, COSTS, EXPENSES, OR
304 | DAMAGES. WHERE A LIMITATION OF LIABILITY IS NOT ALLOWED IN FULL OR
305 | IN PART, THIS LIMITATION MAY NOT APPLY TO YOU.
306 |
307 | c. The disclaimer of warranties and limitation of liability provided
308 | above shall be interpreted in a manner that, to the extent
309 | possible, most closely approximates an absolute disclaimer and
310 | waiver of all liability.
311 |
312 |
313 | Section 6 -- Term and Termination.
314 |
315 | a. This Public License applies for the term of the Copyright and
316 | Similar Rights licensed here. However, if You fail to comply with
317 | this Public License, then Your rights under this Public License
318 | terminate automatically.
319 |
320 | b. Where Your right to use the Licensed Material has terminated under
321 | Section 6(a), it reinstates:
322 |
323 | 1. automatically as of the date the violation is cured, provided
324 | it is cured within 30 days of Your discovery of the
325 | violation; or
326 |
327 | 2. upon express reinstatement by the Licensor.
328 |
329 | For the avoidance of doubt, this Section 6(b) does not affect any
330 | right the Licensor may have to seek remedies for Your violations
331 | of this Public License.
332 |
333 | c. For the avoidance of doubt, the Licensor may also offer the
334 | Licensed Material under separate terms or conditions or stop
335 | distributing the Licensed Material at any time; however, doing so
336 | will not terminate this Public License.
337 |
338 | d. Sections 1, 5, 6, 7, and 8 survive termination of this Public
339 | License.
340 |
341 |
342 | Section 7 -- Other Terms and Conditions.
343 |
344 | a. The Licensor shall not be bound by any additional or different
345 | terms or conditions communicated by You unless expressly agreed.
346 |
347 | b. Any arrangements, understandings, or agreements regarding the
348 | Licensed Material not stated herein are separate from and
349 | independent of the terms and conditions of this Public License.
350 |
351 |
352 | Section 8 -- Interpretation.
353 |
354 | a. For the avoidance of doubt, this Public License does not, and
355 | shall not be interpreted to, reduce, limit, restrict, or impose
356 | conditions on any use of the Licensed Material that could lawfully
357 | be made without permission under this Public License.
358 |
359 | b. To the extent possible, if any provision of this Public License is
360 | deemed unenforceable, it shall be automatically reformed to the
361 | minimum extent necessary to make it enforceable. If the provision
362 | cannot be reformed, it shall be severed from this Public License
363 | without affecting the enforceability of the remaining terms and
364 | conditions.
365 |
366 | c. No term or condition of this Public License will be waived and no
367 | failure to comply consented to unless expressly agreed to by the
368 | Licensor.
369 |
370 | d. Nothing in this Public License constitutes or may be interpreted
371 | as a limitation upon, or waiver of, any privileges and immunities
372 | that apply to the Licensor or You, including from the legal
373 | processes of any jurisdiction or authority.
374 |
375 |
376 | =======================================================================
377 |
378 | Creative Commons is not a party to its public
379 | licenses. Notwithstanding, Creative Commons may elect to apply one of
380 | its public licenses to material it publishes and in those instances
381 | will be considered the “Licensor.” The text of the Creative Commons
382 | public licenses is dedicated to the public domain under the CC0 Public
383 | Domain Dedication. Except for the limited purpose of indicating that
384 | material is shared under a Creative Commons public license or as
385 | otherwise permitted by the Creative Commons policies published at
386 | creativecommons.org/policies, Creative Commons does not authorize the
387 | use of the trademark "Creative Commons" or any other trademark or logo
388 | of Creative Commons without its prior written consent including,
389 | without limitation, in connection with any unauthorized modifications
390 | to any of its public licenses or any other arrangements,
391 | understandings, or agreements concerning use of licensed material. For
392 | the avoidance of doubt, this paragraph does not form part of the
393 | public licenses.
394 |
395 | Creative Commons may be contacted at creativecommons.org.
396 |
397 |
--------------------------------------------------------------------------------