text
stringlengths
9
39.2M
dir
stringlengths
26
295
lang
stringclasses
185 values
created_date
timestamp[us]
updated_date
timestamp[us]
repo_name
stringlengths
1
97
repo_full_name
stringlengths
7
106
star
int64
1k
183k
len_tokens
int64
1
13.8M
```xml <Project> <ItemGroup Condition="'$(IsTestProject)' == 'true'"> <PackageReference Include="NUnit" Version="3.14.0"/> <PackageReference Include="NUnit3TestAdapter" Version="4.5.0"/> <PackageReference Include="Microsoft.NET.Test.Sdk" Version="17.7.2"/> </ItemGroup> <ItemGroup Condition="'$(TargetFramework)' == 'NET472'"> <PackageReference Include="System.ValueTuple" Version="4.5.0"/> </ItemGroup> </Project> ```
/content/code_sandbox/test/Directory.Build.targets
xml
2016-07-15T12:44:20
2024-08-12T19:23:51
FastExpressionCompiler
dadhi/FastExpressionCompiler
1,137
122
```xml import { Form } from '../../../../src'; const fields = { username: { label: 'Username', }, email: { label: 'Email', }, password: { label: 'Password', }, }; export default new Form({ fields }, { name: 'Flat-G' }); ```
/content/code_sandbox/tests/data/forms/flat/form.g.ts
xml
2016-06-20T22:10:41
2024-08-10T13:14:33
mobx-react-form
foxhound87/mobx-react-form
1,093
65
```xml <Project Sdk="Microsoft.NET.Sdk" ToolsVersion="15.0" xmlns="path_to_url"> <Import Project="$([MSBuild]::GetDirectoryNameOfFileAbove($(MSBuildThisFileDirectory), testAsset.props))\testAsset.props" /> <PropertyGroup> <OutputType>Library</OutputType> <TargetFrameworks>$(CurrentTargetFramework)</TargetFrameworks> </PropertyGroup> </Project> ```
/content/code_sandbox/test/TestAssets/NonRestoredTestProjects/DotnetAddP2PProjects/MoreThanOne/b.csproj
xml
2016-07-22T21:26:02
2024-08-16T17:23:58
sdk
dotnet/sdk
2,627
89
```xml import { LabelModel, LabelModelGenerics, LabelModelOptions } from '@projectstorm/react-diagrams-core'; import { DeserializeEvent } from '@projectstorm/react-canvas-core'; export interface DefaultLabelModelOptions extends LabelModelOptions { label?: string; } export interface DefaultLabelModelGenerics extends LabelModelGenerics { OPTIONS: DefaultLabelModelOptions; } export class DefaultLabelModel extends LabelModel<DefaultLabelModelGenerics> { constructor(options: DefaultLabelModelOptions = {}) { super({ offsetY: options.offsetY == null ? -23 : options.offsetY, type: 'default', ...options }); } setLabel(label: string) { this.options.label = label; } deserialize(event: DeserializeEvent<this>) { super.deserialize(event); this.options.label = event.data.label; } serialize() { return { ...super.serialize(), label: this.options.label }; } } ```
/content/code_sandbox/packages/react-diagrams-defaults/src/label/DefaultLabelModel.tsx
xml
2016-06-03T09:10:01
2024-08-16T15:25:38
react-diagrams
projectstorm/react-diagrams
8,568
205
```xml <?xml version="1.0" encoding="UTF-8"?> <definitions xmlns="path_to_url" xmlns:flowable="path_to_url" targetNamespace="Examples"> <process id="taskWithEventProcess"> <startEvent id="theStart" /> <sequenceFlow id="flow1" sourceRef="theStart" targetRef="theTask" /> <userTask id="theTask" name="my task" /> <boundaryEvent id="eventBoundary" attachedToRef="theTask"> <extensionElements> <flowable:eventType>myEvent</flowable:eventType> </extensionElements> </boundaryEvent> <sequenceFlow id="flow2" sourceRef="theTask" targetRef="theEnd" /> <sequenceFlow id="flow3" sourceRef="eventBoundary" targetRef="theTaskAfter" /> <userTask id="theTaskAfter" name="task after" /> <sequenceFlow id="flow4" sourceRef="theTaskAfter" targetRef="theEnd" /> <endEvent id="theEnd" /> </process> </definitions> ```
/content/code_sandbox/modules/flowable-spring/src/test/resources/org/flowable/spring/test/eventregistry/taskWithEventProcess.bpmn20.xml
xml
2016-10-13T07:21:43
2024-08-16T15:23:14
flowable-engine
flowable/flowable-engine
7,715
252
```xml import { useSetting } from "@Core/Hooks"; import { Setting } from "@Core/Settings/Setting"; import { Dropdown, Option } from "@fluentui/react-components"; import { useTranslation } from "react-i18next"; export const Language = () => { const { t } = useTranslation(); const languages = [ { name: "English (US)", locale: "en-US" }, { name: "Deutsch (Schweiz)", locale: "de-CH" }, ]; const { value: language, updateValue: setLanguage } = useSetting({ key: "general.language", defaultValue: "en-US", isSensitive: false, }); return ( <Setting label={t("language", { ns: "settingsGeneral" })} control={ <Dropdown value={languages.find(({ locale }) => locale === language)?.name} selectedOptions={[language]} onOptionSelect={(_, { optionValue }) => optionValue && setLanguage(optionValue)} > {languages.map(({ name, locale }) => ( <Option key={locale} value={locale} text={name}> {name} </Option> ))} </Dropdown> } /> ); }; ```
/content/code_sandbox/src/renderer/Core/Settings/Pages/General/Language.tsx
xml
2016-10-11T04:59:52
2024-08-16T11:53:31
ueli
oliverschwendener/ueli
3,543
266
```xml /* * * * path_to_url * * Unless required by applicable law or agreed to in writing, software * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. */ import { isTsClass, isTsInterface, type TsDocBase } from "@documentalist/client"; import * as React from "react"; import { COMPONENT_DISPLAY_NAMESPACE } from "../../common"; import { DocumentationContext } from "../../common/context"; interface ApiHeaderProps extends TsDocBase { children?: React.ReactNode; } export const ApiHeader: React.FC<ApiHeaderProps> = props => { const { renderType, renderViewSourceLinkText } = React.useContext(DocumentationContext); let inheritance: React.ReactNode = ""; if (isTsClass(props) || isTsInterface(props)) { const extendsTypes = maybeJoinArray("extends", props.extends); const implementsTypes = maybeJoinArray("implements", props.implements); inheritance = renderType(`${extendsTypes} ${implementsTypes}`); } return ( <div className="docs-interface-header"> <div className="docs-interface-name"> <small>{props.kind}</small> {props.name} <small>{inheritance}</small> </div> <small className="docs-package-name"> <a href={props.sourceUrl} target="_blank"> {renderViewSourceLinkText(props)} </a> </small> {props.children} </div> ); }; ApiHeader.displayName = `${COMPONENT_DISPLAY_NAMESPACE}.ApiHeader`; function maybeJoinArray(title: string, array: string[] | undefined): string { if (array == null || array.length === 0) { return ""; } return `${title} ${array.join(", ")}`; } ```
/content/code_sandbox/packages/docs-theme/src/components/typescript/apiHeader.tsx
xml
2016-10-25T21:17:50
2024-08-16T15:14:48
blueprint
palantir/blueprint
20,593
367
```xml import { provideServerRendering } from '@angular/platform-server'; import * as admin from 'firebase-admin'; import { ApplicationConfig, mergeApplicationConfig } from '@angular/core'; import { environment } from 'src/environments/environment'; import { appConfig, FIREBASE_ADMIN } from './app.config'; const serverConfig: ApplicationConfig = { providers: [ provideServerRendering(), { provide: FIREBASE_ADMIN, useFactory: () => admin.apps[0] || admin.initializeApp( // In Cloud Functions we can auto-initialize process.env.FUNCTION_NAME ? undefined : { credential: admin.credential.applicationDefault(), databaseURL: environment.firebase.databaseURL, } ), }, ], }; export const config = mergeApplicationConfig(appConfig, serverConfig); ```
/content/code_sandbox/samples/advanced/src/app/app.server.config.ts
xml
2016-01-11T20:47:23
2024-08-14T12:09:31
angularfire
angular/angularfire
7,648
169
```xml <?xml version="1.0" encoding="UTF-8" ?> <xliff version="1.2" xmlns="urn:oasis:names:tc:xliff:document:1.2"> <file source-language="en" datatype="plaintext" original="ng2.template"> <body> <trans-unit id="9109ad0a9567961340bbe9e831f23a8e1a0927ea" datatype="html"> <source>Click to copy a link to AllToMP3&apos;s website, to share it with friends </source> <target>Klikkaa kopioidaksesi linkin AllToMP3&apos;n verkkosivustolle jaettavaksi </target> </trans-unit> <trans-unit id="80f020c7add63ba8f1871563d1857a4773d7c225" datatype="html"> <source>Copied in clipboard!</source> <target>Kopioitu leikepydlle!</target> </trans-unit> <trans-unit id="53ae95a1f539cc2fe2061350c6a8ecd68dfe18f1" datatype="html"> <source>Like this program? Help me!</source> <target>Pidt tst ohjelmasta? Auta minua!</target> </trans-unit> <trans-unit id="3f076ce994611c87527e4e17cc65916cda195966" datatype="html"> <source>What do you want to download?</source> <target>Mit haluat ladata?</target> </trans-unit> <trans-unit id="2e66d4c5689e5e2149360c8c74ff55c904b5bfcb" datatype="html"> <source> This URL is not supported </source> <target> Tt URL ei tueta </target> </trans-unit> <trans-unit id="1564f2f84b4f796e3f4d90c86dca06570dec4c9e" datatype="html"> <source> Press <x id="START_TAG_SPAN" ctype="x-span"/>Enter<x id="CLOSE_TAG_SPAN" ctype="x-span"/> to download </source> <target> Paina <x id="START_TAG_SPAN" ctype="x-span"/>Enter<x id="CLOSE_TAG_SPAN" ctype="x-span"/> ladataksesi </target> </trans-unit> <trans-unit id="2d85c24d82d4323a3ef4302294917093ec3487e5" datatype="html"> <source>Songs are downloaded in <x id="START_TAG_SPAN" ctype="x-span"/><x id="INTERPOLATION"/><x id="CLOSE_TAG_SPAN" ctype="x-span"/> <x id="START_ITALIC_TEXT" ctype="x-i"/><x id="CLOSE_ITALIC_TEXT" ctype="x-i"/></source> <target>Musiikki on ladataan sijaintiin <x id="START_TAG_SPAN" ctype="x-span"/><x id="INTERPOLATION"/><x id="CLOSE_TAG_SPAN" ctype="x-span"/> <x id="START_ITALIC_TEXT" ctype="x-i"/><x id="CLOSE_ITALIC_TEXT" ctype="x-i"/></target> </trans-unit> <trans-unit id="4e4e1488d2637ddc4846306509caa15411e1788a" datatype="html"> <source> Abort </source> <target> Peruuta </target> </trans-unit> <trans-unit id="43880ca5d1946cb5ba7c299098e269e976482d66" datatype="html"> <source> See the list </source> <target> Nyt lista </target> </trans-unit> <trans-unit id="5216bccc3849fd91f904136fa85a57dc2b5815b7" datatype="html"> <source> Hide the list </source> <target> Piilota lista </target> </trans-unit> <trans-unit id="670a3f63f86bf2d943f078604737a830c8fe7ebf" datatype="html"> <source>An issue, an idea?</source> <target>Ongelma, idea?</target> </trans-unit> <trans-unit id="ebe2bb19fa701cc947a95c6fa07249a8e0965fa7" datatype="html"> <source>An update is downloading</source> <target>Pivitys on latautumassa</target> </trans-unit> <trans-unit id="6470eedcfc4085470c43c2de67e8b738f797a226" datatype="html"> <source>An update has been downloaded and will be installed at the next app launch<x id="START_TAG_SPAN" ctype="x-span"/>, or click to relaunch the app now<x id="CLOSE_TAG_SPAN" ctype="x-span"/></source> <target>Pivitys on ladattu ja se asennetaan seuraavalla kynnistyskerralla <x id="START_TAG_SPAN" ctype="x-span"/>, tai paina kynnistksesi uudelleen nyt<x id="CLOSE_TAG_SPAN" ctype="x-span"/></target> </trans-unit> <trans-unit id="50e3f27de710efc3623c4b6a46abe14199b6582a" datatype="html"> <source>Enter:</source> <target>Syt:</target> </trans-unit> <trans-unit id="a37cfde66e15101d640de7b86c995cd65b18f8ec" datatype="html"> <source>Songs</source> <target>Musiikki</target> </trans-unit> <trans-unit id="63f5d0ec23e3cf4abf6d5221107633c90d8d4a15" datatype="html"> <source>OR</source> <target>TAI</target> </trans-unit> <trans-unit id="dd7c39d13550b0fea7b5632d3d3348f0ebccbd95" datatype="html"> <source> Update&apos;s changes </source> <target> Pivityksen muutokset </target> </trans-unit> <trans-unit id="4bb6f05816c16e1198e3a863fbc29e07542f4fec" datatype="html"> <source> News </source> <target> Uutiset </target> </trans-unit> </body> </file> </xliff> ```
/content/code_sandbox/app/src/locale/messages.fi.xlf
xml
2016-07-29T12:27:38
2024-08-14T13:08:01
alltomp3-app
AllToMP3/alltomp3-app
1,313
1,548
```xml import { Path } from 'slate' export const input = { path: [0, 1, 2], another: [0, 1, 2], } export const test = ({ path, another }) => { return Path.isParent(path, another) } export const output = false ```
/content/code_sandbox/packages/slate/test/interfaces/Path/isParent/equal.tsx
xml
2016-06-18T01:52:42
2024-08-16T18:43:42
slate
ianstormtaylor/slate
29,492
67
```xml <?xml version="1.0" encoding="UTF-8"?> <definitions xmlns="path_to_url" xmlns:flowable="path_to_url" targetNamespace="path_to_url"> <process id="caseTask"> <startEvent id="theStart" /> <sequenceFlow id="flow1" sourceRef="theStart" targetRef="theTask" /> <userTask id="theTask" name="my task" /> <sequenceFlow id="flow2" sourceRef="theTask" targetRef="theTask2" /> <serviceTask flowable:type="case" id="theTask2" flowable:caseDefinitionKey="myCase"> <extensionElements> <flowable:in source="testVar" target="caseTestVar" /> <flowable:in source="testNumVar" target="caseTestNumVar" /> <flowable:out source="caseResult" target="processResult" /> </extensionElements> </serviceTask> <sequenceFlow id="flow3" sourceRef="theTask2" targetRef="theTask3" /> <userTask id="theTask3" name="my task2" /> <sequenceFlow id="flow4" sourceRef="theTask3" targetRef="theEnd" /> <endEvent id="theEnd" /> </process> </definitions> ```
/content/code_sandbox/modules/flowable-cmmn-engine-configurator/src/test/resources/org/flowable/cmmn/test/caseTaskProcessWithParameters.bpmn20.xml
xml
2016-10-13T07:21:43
2024-08-16T15:23:14
flowable-engine
flowable/flowable-engine
7,715
298
```xml <?xml version="1.0" encoding="utf-8"?> <ScrollView xmlns:android="path_to_url" xmlns:shape="path_to_url" android:layout_width="match_parent" android:layout_height="match_parent" android:orientation="vertical"> <LinearLayout android:layout_width="match_parent" android:layout_height="match_parent" android:orientation="vertical" android:padding="20dp"> <com.allen.library.shape.ShapeTextView android:layout_width="match_parent" android:layout_height="wrap_content" android:layout_marginTop="50dp" android:gravity="center" android:text="ShapeTextView" shape:shapeCornersRadius="20dp" shape:shapeSolidColor="@color/colorAccent" shape:shapeStrokeColor="@color/colorPrimary" shape:shapeStrokeDashGap="10dp" shape:shapeStrokeDashWidth="10dp" shape:shapeStrokeWidth="2dp" /> <com.allen.library.shape.ShapeButton android:layout_width="match_parent" android:layout_height="wrap_content" android:layout_marginTop="10dp" android:gravity="center" android:text="ShapeButton" shape:shapeCornersRadius="10dp" shape:shapeStrokeColor="@color/colorPrimaryDark" shape:shapeStrokeWidth="1dp" /> <com.allen.library.shape.ShapeLinearLayout android:layout_width="match_parent" android:layout_height="50dp" android:layout_marginTop="10dp" android:gravity="center" shape:shapeCornersBottomLeftRadius="25dp" shape:shapeCornersTopLeftRadius="25dp" shape:shapeGradientAngle="left_right" shape:shapeGradientCenterColor="@color/gray" shape:shapeGradientEndColor="@color/colorPrimary" shape:shapeGradientStartColor="@color/colorAccent"> <TextView android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="ShapeLinearLayout" /> </com.allen.library.shape.ShapeLinearLayout> <com.allen.library.shape.ShapeRelativeLayout android:layout_width="match_parent" android:layout_height="50dp" android:layout_marginTop="10dp" shape:shapeCornersBottomRightRadius="25dp" shape:shapeCornersTopRightRadius="25dp" shape:shapeGradientEndColor="@color/colorPrimary" shape:shapeGradientStartColor="@color/colorAccent" shape:shapeGradientType="linear"> <TextView android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_centerInParent="true" android:text="ShapeRelativeLayout" /> </com.allen.library.shape.ShapeRelativeLayout> <com.allen.library.shape.ShapeFrameLayout android:layout_width="match_parent" android:layout_height="50dp" android:layout_marginTop="10dp" shape:shapeCornersBottomLeftRadius="25dp" shape:shapeCornersTopRightRadius="25dp" shape:shapeStrokeColor="@color/colorAccent" shape:shapeStrokeWidth="1dp"> <TextView android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_gravity="center" android:text="ShapeFrameLayout" /> </com.allen.library.shape.ShapeFrameLayout> <com.allen.library.shape.ShapeConstraintLayout android:layout_width="match_parent" android:layout_height="50dp" android:layout_marginTop="10dp" shape:shapeCornersBottomRightRadius="25dp" shape:shapeCornersTopLeftRadius="25dp" shape:shapeStrokeColor="@color/colorAccent" shape:shapeStrokeDashGap="2dp" shape:shapeStrokeDashWidth="2dp" shape:shapeStrokeWidth="1dp"> <TextView android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_marginTop="10dp" android:layout_marginBottom="10dp" android:gravity="center" android:text="ShapeConstraintLayout" shape:layout_constraintBottom_toBottomOf="parent" shape:layout_constraintLeft_toLeftOf="parent" shape:layout_constraintRight_toRightOf="parent" shape:layout_constraintTop_toTopOf="parent" /> </com.allen.library.shape.ShapeConstraintLayout> <com.allen.library.shape.ShapeTextView android:id="@+id/shape_text_view" android:layout_width="match_parent" android:layout_height="wrap_content" android:layout_marginTop="10dp" android:gravity="center" android:text="shape" shape:shapeCornersRadius="20dp" shape:shapeStrokeColor="@color/colorAccent" shape:shapeStrokeWidth="0.5dp" /> <TextView android:layout_width="match_parent" android:layout_height="wrap_content" android:layout_marginTop="10dp" android:gravity="center" android:text="" /> <com.allen.library.shape.ShapeFrameLayout android:layout_width="match_parent" android:layout_height="50dp" android:layout_marginTop="10dp" shape:shadowBottomWidth="5dp" shape:shadowColor="@color/colorAccent" shape:shadowCornersBottomLeftRadius="20dp" shape:shadowCornersTopLeftRadius="20dp" shape:shadowLeftWidth="5dp" shape:shadowRightWidth="3dp" shape:shadowTopWidth="3dp" shape:showShadow="true"> <TextView android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_gravity="center" android:text="ShapeFrameLayout" /> </com.allen.library.shape.ShapeFrameLayout> <com.allen.library.shape.ShapeRelativeLayout android:layout_width="match_parent" android:layout_height="50dp" android:layout_marginTop="10dp" shape:shadowBottomWidth="5dp" shape:shadowColor="@color/colorAccent" shape:shadowCornersBottomRightRadius="20dp" shape:shadowCornersTopRightRadius="20dp" shape:shadowLeftWidth="5dp" shape:shadowRightWidth="3dp" shape:shadowTopWidth="3dp" shape:showShadow="true"> <TextView android:layout_width="match_parent" android:layout_height="match_parent" android:layout_centerInParent="true" android:gravity="center" android:text="ShapeRelativeLayout" /> </com.allen.library.shape.ShapeRelativeLayout> <com.allen.library.shape.ShapeLinearLayout android:layout_width="match_parent" android:layout_height="50dp" android:layout_marginTop="10dp" shape:shadowBottomWidth="5dp" shape:shadowColor="@color/colorAccent" shape:shadowLeftWidth="5dp" shape:shadowRightWidth="3dp" shape:shadowTopWidth="3dp" shape:showShadow="true"> <TextView android:layout_width="match_parent" android:layout_height="match_parent" android:layout_gravity="center" android:gravity="center" android:text="ShapeLinearLayout" /> </com.allen.library.shape.ShapeLinearLayout> <com.allen.library.shape.ShapeConstraintLayout android:layout_width="match_parent" android:layout_height="50dp" android:layout_marginTop="10dp" shape:shadowBottomWidth="5dp" shape:shadowColor="@color/colorAccent" shape:shadowCornersRadius="8dp" shape:shadowLeftWidth="5dp" shape:shadowRightWidth="3dp" shape:shadowTopWidth="3dp" shape:shapeCornersRadius="5dp" shape:showShadow="true"> <TextView android:layout_width="0dp" android:layout_height="0dp" android:gravity="center" android:text="ShapeConstraintLayout" shape:layout_constraintBottom_toBottomOf="parent" shape:layout_constraintLeft_toLeftOf="parent" shape:layout_constraintRight_toRightOf="parent" shape:layout_constraintTop_toTopOf="parent" /> </com.allen.library.shape.ShapeConstraintLayout> </LinearLayout> </ScrollView> ```
/content/code_sandbox/app/src/main/res/layout/activiy_shape.xml
xml
2016-10-19T04:06:54
2024-08-12T03:29:20
SuperTextView
lygttpod/SuperTextView
3,768
1,835
```xml import { c } from 'ttag'; import clsx from '@proton/utils/clsx'; import { isTransferCanceled, isTransferDone, isTransferFailed, isTransferFinalizing, isTransferOngoing, isTransferPaused, isTransferSkipped, } from '../../utils/transfer'; import Buttons from './Buttons'; import DownloadLogsButton from './DownloadLogsButton'; import { TransferManagerButtonProps } from './interfaces'; import { Download, TransferType, Upload } from './transfer'; import useTransferControls from './useTransferControls'; type TransferManagerEntry = { transfer: Upload | Download; type: TransferType }; interface HeaderButtonProps { entries: TransferManagerEntry[]; className: string; showDownloadLog: boolean; } const extractTransferFromEntry = ({ transfer }: TransferManagerEntry) => transfer; const isInvalidForCancellation = (transfer: Upload | Download) => isTransferCanceled(transfer) || isTransferSkipped(transfer) || isTransferFailed(transfer) || isTransferFinalizing(transfer) || isTransferDone(transfer); const HeaderButton = ({ entries, className, showDownloadLog = false }: HeaderButtonProps) => { const transferManagerControls = useTransferControls(); const areAllActiveTransfersPaused = entries .map(extractTransferFromEntry) .filter(isTransferOngoing) .every(isTransferPaused); const hasOnlyInactiveTransfers = entries .map(extractTransferFromEntry) .every((transfer) => !isTransferOngoing(transfer)); /* * Pause icon gets priority over resume icon. Here are the rules: * * - mixed transfer > pause * - only in progress > pause * - cancelled or failed -> pause (disabled) * all *active* transfers are paused -> resume */ const shouldDisplayResume = entries.length !== 0 && areAllActiveTransfersPaused && !hasOnlyInactiveTransfers; const testIdPrefix = 'drive-transfers-manager:header-controls-'; const buttons: TransferManagerButtonProps[] = [ { onClick: () => { const ongoingEntries = entries.filter(({ transfer }) => isTransferOngoing(transfer)); if (shouldDisplayResume) { return transferManagerControls.resumeTransfers(ongoingEntries); } return transferManagerControls.pauseTransfers(ongoingEntries); }, disabled: hasOnlyInactiveTransfers, title: shouldDisplayResume ? c('Action').t`Resume all` : c('Action').t`Pause all`, iconName: shouldDisplayResume ? 'play' : 'pause', testId: testIdPrefix + (shouldDisplayResume ? 'play' : 'pause'), }, { onClick: () => { transferManagerControls.cancelTransfers( entries.filter((entry) => !isInvalidForCancellation(entry.transfer)) ); }, // Only cancelled/failed/finalizing/done transfers -> cancel button disabled disabled: entries.map(extractTransferFromEntry).every(isInvalidForCancellation), title: c('Action').t`Cancel all`, iconName: 'cross', testId: testIdPrefix + 'cancel', }, { onClick: () => { return transferManagerControls.restartTransfers( entries.filter(({ transfer }) => { return isTransferFailed(transfer); }) ); }, /* * Restart enabled when there're failed transfers in the list. This also covers * the case when theres only transfers in progress */ disabled: !entries.map(extractTransferFromEntry).some(isTransferFailed), title: c('Action').t`Restart all`, iconName: 'arrow-rotate-right', testId: testIdPrefix + 'restart', }, ]; return ( <div className={clsx(['flex', 'flex-nowrap', 'justify-end', 'overflow-hidden', 'shrink-0', className])}> <Buttons buttons={buttons} className="shrink-0"> {showDownloadLog && <DownloadLogsButton onClick={transferManagerControls.downloadLogs} />} </Buttons> </div> ); }; export default HeaderButton; ```
/content/code_sandbox/packages/drive-store/components/TransferManager/HeaderButtons.tsx
xml
2016-06-08T11:16:51
2024-08-16T14:14:27
WebClients
ProtonMail/WebClients
4,300
890
```xml <?xml version="1.0" encoding="utf-8"?> <RelativeLayout xmlns:android="path_to_url" android:layout_width="match_parent" android:layout_height="72dp" android:orientation="vertical" android:paddingBottom="8dp" android:paddingLeft="12dp" android:paddingRight="12dp" android:paddingTop="8dp"> <ImageView android:id="@+id/img_avatar" android:layout_width="56dp" android:layout_height="56dp" android:layout_marginRight="12dp" android:src="@drawable/ic_avatar" android:tint="@color/bg_btn"/> <TextView android:id="@+id/tv_name" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_marginTop="6dp" android:layout_toRightOf="@id/img_avatar" android:textColor="@android:color/black" android:textSize="16sp"/> <TextView android:id="@+id/tv_msg" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_alignLeft="@id/tv_name" android:layout_alignParentBottom="true" android:layout_marginBottom="6dp"/> <TextView android:id="@+id/tv_time" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_alignParentRight="true" android:layout_marginTop="6dp" android:textSize="12sp"/> </RelativeLayout> ```
/content/code_sandbox/demo/src/main/res/layout/item_wechat_chat.xml
xml
2016-02-23T08:54:55
2024-08-15T05:22:10
Fragmentation
YoKeyword/Fragmentation
9,719
344
```xml import { CoordinateComponent as CC } from '../runtime'; import { RadialCoordinate } from '../spec'; import { Polar } from './polar'; export type RadialOptions = Omit<RadialCoordinate, 'type'>; export const getRadialOptions = (options: RadialOptions = {}) => { const defaultOptions = { startAngle: -Math.PI / 2, endAngle: (Math.PI * 3) / 2, innerRadius: 0, outerRadius: 1, }; return { ...defaultOptions, ...options }; }; /** * Radial */ export const Radial: CC<RadialOptions> = (options) => { const { startAngle, endAngle, innerRadius, outerRadius } = getRadialOptions(options); return [ ['transpose'], ['translate', 0.5, 0.5], ['reflect'], ['translate', -0.5, -0.5], ...Polar({ startAngle, endAngle, innerRadius, outerRadius }), ]; }; Radial.props = {}; ```
/content/code_sandbox/src/coordinate/radial.ts
xml
2016-05-26T09:21:04
2024-08-15T16:11:17
G2
antvis/G2
12,060
234
```xml import { observer } from "mobx-react"; import { PlusIcon } from "outline-icons"; import pluralize from "pluralize"; import * as React from "react"; import { useTranslation, Trans } from "react-i18next"; import { Link } from "react-router-dom"; import { toast } from "sonner"; import styled from "styled-components"; import { UserRole } from "@shared/types"; import { parseEmail } from "@shared/utils/email"; import { UserValidation } from "@shared/validations"; import Button from "~/components/Button"; import Flex from "~/components/Flex"; import Input from "~/components/Input"; import InputSelect from "~/components/InputSelect"; import { ResizingHeightContainer } from "~/components/ResizingHeightContainer"; import Text from "~/components/Text"; import Tooltip from "~/components/Tooltip"; import useCurrentTeam from "~/hooks/useCurrentTeam"; import useCurrentUser from "~/hooks/useCurrentUser"; import usePolicy from "~/hooks/usePolicy"; import useStores from "~/hooks/useStores"; type Props = { onSubmit: () => void; }; type InviteRequest = { email: string; name: string; }; function Invite({ onSubmit }: Props) { const [isSaving, setIsSaving] = React.useState(false); const [invites, setInvites] = React.useState<InviteRequest[]>([ { email: "", name: "", }, ]); const { users, collections } = useStores(); const user = useCurrentUser(); const team = useCurrentTeam(); const { t } = useTranslation(); const predictedDomain = parseEmail(user.email).domain; const can = usePolicy(team); const [role, setRole] = React.useState<UserRole>(UserRole.Member); const handleSubmit = React.useCallback( async (ev: React.SyntheticEvent) => { ev.preventDefault(); setIsSaving(true); try { const response = await users.invite( invites.filter((i) => i.email).map((memo) => ({ ...memo, role })) ); onSubmit(); if (response.length > 0) { toast.success(t("We sent out your invites!")); } else { toast.message(t("Those email addresses are already invited")); } } catch (err) { toast.error(err.message); } finally { setIsSaving(false); } }, [onSubmit, invites, role, t, users] ); const handleChange = React.useCallback((ev, index) => { setInvites((prevInvites) => { const newInvites = [...prevInvites]; newInvites[index][ev.target.name] = ev.target.value; return newInvites; }); }, []); const handleAdd = React.useCallback(() => { if (invites.length >= UserValidation.maxInvitesPerRequest) { toast.message( t("Sorry, you can only send {{MAX_INVITES}} invites at a time", { MAX_INVITES: UserValidation.maxInvitesPerRequest, }) ); } setInvites((prevInvites) => { const newInvites = [...prevInvites]; newInvites.push({ email: "", name: "", }); return newInvites; }); }, [invites, t]); const handleKeyDown = React.useCallback( (ev: React.KeyboardEvent<HTMLInputElement>) => { if (ev.key === "Enter") { ev.preventDefault(); handleAdd(); } }, [handleAdd] ); const roleName = pluralize(role); const collectionCount = collections.nonPrivate.length; const collectionAccessNote = collectionCount ? ( <span> <Trans>Invited {{ roleName }} will receive access to</Trans>{" "} <Tooltip content={ <> {collections.nonPrivate.map((collection) => ( <li key={collection.id}>{collection.name}</li> ))} </> } > <strong> <Trans>{{ collectionCount }} collections</Trans> </strong> </Tooltip> . </span> ) : undefined; const options = React.useMemo(() => { const memo = []; if (user.isAdmin) { memo.push({ label: t("Admin"), description: t("Can manage all workspace settings"), value: UserRole.Admin, }); } return [ ...memo, { label: t("Editor"), description: t("Can create, edit, and delete documents"), value: UserRole.Member, }, { label: t("Viewer"), description: t("Can view and comment"), value: UserRole.Viewer, }, ]; }, [t, user]); return ( <form onSubmit={handleSubmit}> <Flex gap={8} column> {team.guestSignin ? ( <Text as="p" type="secondary"> <Trans defaults="Invite people to join your workspace. They can sign in with {{signinMethods}} or use their email address." values={{ signinMethods: team.signinMethods, }} />{" "} {collectionAccessNote} </Text> ) : ( <Text as="p" type="secondary"> <Trans defaults="Invite members to join your workspace. They will need to sign in with {{signinMethods}}." values={{ signinMethods: team.signinMethods, }} />{" "} {collectionAccessNote} {can.update && ( <Trans> As an admin you can also{" "} <Link to="/settings/security">enable email sign-in</Link>. </Trans> )} </Text> )} <Flex gap={12} column> <InputSelect label={t("Invite as")} ariaLabel={t("Role")} options={options} onChange={(r) => setRole(r as UserRole)} value={role} /> <ResizingHeightContainer style={{ minHeight: 72, marginBottom: 8 }}> {invites.map((invite, index) => ( <Flex key={index} gap={8}> <StyledInput type="email" name="email" label={t("Email")} labelHidden={index !== 0} onKeyDown={handleKeyDown} onChange={(ev) => handleChange(ev, index)} placeholder={`name@${predictedDomain}`} value={invite.email} required={index === 0} autoFocus flex /> <StyledInput type="text" name="name" label={t("Name")} labelHidden={index !== 0} onKeyDown={handleKeyDown} onChange={(ev) => handleChange(ev, index)} value={invite.name} required={!!invite.email} flex /> </Flex> ))} </ResizingHeightContainer> </Flex> <Flex justify="space-between"> {invites.length <= UserValidation.maxInvitesPerRequest ? ( <Button type="button" onClick={handleAdd} icon={<PlusIcon />} neutral > {t("Add another")} </Button> ) : null} <Button type="submit" disabled={isSaving} data-on="click" data-event-category="invite" data-event-action="sendInvites" > {isSaving ? `${t("Inviting")}` : t("Send Invites")} </Button> </Flex> </Flex> </form> ); } const StyledInput = styled(Input)` margin-bottom: -4px; min-width: 0; flex-shrink: 1; `; export default observer(Invite); ```
/content/code_sandbox/app/scenes/Invite.tsx
xml
2016-05-22T21:31:47
2024-08-16T19:57:22
outline
outline/outline
26,751
1,643
```xml export { // eslint-disable-next-line deprecation/deprecation ThemeProvider, createComponent, createFactory, getControlledDerivedProps, getSlots, legacyStyled, useControlledState, withSlots, } from '@fluentui/foundation-legacy'; export type { ExtractProps, ExtractShorthand, IComponent, IComponentOptions, IComponentStyles, IControlledStateOptions, ICustomizationProps, IDefaultSlotProps, IFactoryOptions, IHTMLElementSlot, IHTMLSlot, IProcessedSlotProps, // eslint-disable-next-line deprecation/deprecation IPropsWithChildren, ISlot, ISlotCreator, ISlotDefinition, ISlotFactory, ISlotOptions, ISlotProp, ISlotRender, ISlots, ISlottableComponentType, ISlottableProps, ISlottableReactType, IStateComponentType, IStyleableComponentProps, IStylesFunction, IStylesFunctionOrObject, IThemeProviderProps, IToken, ITokenBase, ITokenBaseArray, ITokenFunction, ITokenFunctionOrObject, IViewComponent, ValidProps, ValidShorthand, } from '@fluentui/foundation-legacy'; ```
/content/code_sandbox/packages/react-experiments/src/Foundation.ts
xml
2016-06-06T15:03:44
2024-08-16T18:49:29
fluentui
microsoft/fluentui
18,221
288
```xml <?xml version="1.1" encoding="UTF-8" standalone="no"?> <databaseChangeLog xmlns="path_to_url" xmlns:ext="path_to_url" xmlns:xsi="path_to_url" xsi:schemaLocation="path_to_url path_to_url path_to_url path_to_url"> <include file="migration/notary-raft.changelog-init.xml"/> <include file="migration/notary-raft.changelog-v1.xml"/> <include file="migration/notary-raft.changelog-committed-transactions-table.xml" /> <include file="migration/notary-raft.changelog-v2.xml"/> </databaseChangeLog> ```
/content/code_sandbox/node/src/main/resources/migration/notary-raft.changelog-master.xml
xml
2016-10-06T08:46:29
2024-08-15T09:36:24
corda
corda/corda
3,974
138
```xml <?xml version="1.0" encoding="utf-8"?> <Project ToolsVersion="4.0" xmlns="path_to_url"> <ItemGroup> <ClInclude Include="..\..\test\rot_mat_test.cpp"> <Filter>qvm\test</Filter> </ClInclude> </ItemGroup> <ItemGroup> <Filter Include="qvm"> <UniqueIdentifier>{4B3D0048-7CD9-0BBF-0A2F-22A41E651A73}</UniqueIdentifier> </Filter> <Filter Include="qvm\test"> <UniqueIdentifier>{5C4828FA-2FBE-2A97-4B91-373F3ED664E2}</UniqueIdentifier> </Filter> </ItemGroup> </Project> ```
/content/code_sandbox/deps/boost_1_66_0/libs/qvm/bld/test/rot_mat_test.vcxproj.filters
xml
2016-09-05T10:18:44
2024-08-11T13:21:40
LiquidCore
LiquidPlayer/LiquidCore
1,010
179
```xml import { CommonModule } from '@angular/common'; import { NgModule } from '@angular/core'; import { NgxsReduxDevtoolsPluginModule } from '@ngxs/devtools-plugin'; import { NgxsLoggerPluginModule } from '@ngxs/logger-plugin'; import { NgxsModule } from '@ngxs/store'; import { ServicesModule } from 'app/service/services.module'; import { SharedModule } from 'app/shared/shared.module'; import { ApplicationsState } from 'app/store/applications.state'; import { CDSState } from 'app/store/cds.state'; import { EnvironmentState } from 'app/store/environment.state'; import { PipelinesState } from 'app/store/pipelines.state'; import { environment as env } from '../../environments/environment'; import { AuthenticationState } from './authentication.state'; import { ConfigState } from './config.state'; import { EventState } from './event.state'; import { FeatureState } from './feature.state'; import { HelpState } from './help.state'; import { PreferencesState } from './preferences.state'; import { ProjectState } from './project.state'; import { QueueState } from './queue.state'; import { WorkflowState } from './workflow.state'; import { NavigationState } from './navigation.state'; @NgModule({ imports: [ CommonModule, ServicesModule, SharedModule, NgxsLoggerPluginModule.forRoot({ logger: console, collapsed: false, disabled: env.production }), NgxsReduxDevtoolsPluginModule.forRoot({ disabled: env.production }), NgxsModule.forRoot([ ApplicationsState, AuthenticationState, CDSState, ConfigState, EnvironmentState, EventState, FeatureState, HelpState, NavigationState, PipelinesState, PreferencesState, ProjectState, QueueState, WorkflowState ], { developmentMode: !env.production }) ], exports: [ NgxsLoggerPluginModule, NgxsReduxDevtoolsPluginModule, NgxsModule ] }) export class NgxsStoreModule { } ```
/content/code_sandbox/ui/src/app/store/store.module.ts
xml
2016-10-11T08:28:23
2024-08-16T01:55:31
cds
ovh/cds
4,535
415
```xml <Project Sdk="Microsoft.NET.Sdk"> <PropertyGroup> <TargetFramework>net8.0-macos</TargetFramework> <OutputType>Exe</OutputType> <Nullable>enable</Nullable> <ImplicitUsings>true</ImplicitUsings> <SupportedOSPlatformVersion>11.0</SupportedOSPlatformVersion> </PropertyGroup> <ItemGroup> <ProjectReference Include="..\..\..\..\binding\SkiaSharp\SkiaSharp.csproj" /> <ProjectReference Include="..\..\..\..\source\SkiaSharp.Views\SkiaSharp.Views\SkiaSharp.Views.csproj" /> </ItemGroup> <Import Project="..\..\..\..\binding\IncludeNativeAssets.SkiaSharp.targets" /> </Project> ```
/content/code_sandbox/samples/Basic/macOS/SkiaSharpSample/SkiaSharpSample.csproj
xml
2016-02-22T17:54:43
2024-08-16T17:53:42
SkiaSharp
mono/SkiaSharp
4,347
167
```xml // See LICENSE in the project root for license information. import type { CommandLineFlagParameter, CommandLineStringListParameter } from '@rushstack/ts-command-line'; import { BaseRushAction, type IBaseRushActionOptions } from './BaseRushAction'; import type { RushConfigurationProject } from '../../api/RushConfigurationProject'; import type * as PackageJsonUpdaterType from '../../logic/PackageJsonUpdater'; import type { IPackageForRushUpdate, IPackageJsonUpdaterRushBaseUpdateOptions } from '../../logic/PackageJsonUpdaterTypes'; import { RushConstants } from '../../logic/RushConstants'; export interface IBasePackageJsonUpdaterRushOptions { /** * The projects whose package.jsons should get updated */ projects: RushConfigurationProject[]; /** * The dependencies to be added. */ packagesToHandle: IPackageForRushUpdate[]; /** * If specified, "rush update" will not be run after updating the package.json file(s). */ skipUpdate: boolean; /** * If specified, "rush update" will be run in debug mode. */ debugInstall: boolean; } /** * This is the common base class for AddAction and RemoveAction. */ export abstract class BaseAddAndRemoveAction extends BaseRushAction { protected abstract readonly _allFlag: CommandLineFlagParameter; protected readonly _skipUpdateFlag!: CommandLineFlagParameter; protected abstract readonly _packageNameList: CommandLineStringListParameter; protected get specifiedPackageNameList(): readonly string[] { return this._packageNameList.values!; } public constructor(options: IBaseRushActionOptions) { super(options); this._skipUpdateFlag = this.defineFlagParameter({ parameterLongName: '--skip-update', parameterShortName: '-s', description: 'If specified, the "rush update" command will not be run after updating the package.json files.' }); } protected abstract getUpdateOptions(): IPackageJsonUpdaterRushBaseUpdateOptions; protected getProjects(): RushConfigurationProject[] { if (this._allFlag.value) { return this.rushConfiguration.projects; } else { const currentProject: RushConfigurationProject | undefined = this.rushConfiguration.tryGetProjectForPath(process.cwd()); if (!currentProject) { throw new Error( `The rush "${this.actionName}" command must be invoked under a project` + ` folder that is registered in ${RushConstants.rushJsonFilename} unless the ${this._allFlag.longName} is used.` ); } return [currentProject]; } } public async runAsync(): Promise<void> { const packageJsonUpdater: typeof PackageJsonUpdaterType = await import( /* webpackChunkName: 'PackageJsonUpdater' */ '../../logic/PackageJsonUpdater' ); const updater: PackageJsonUpdaterType.PackageJsonUpdater = new packageJsonUpdater.PackageJsonUpdater( this.rushConfiguration, this.rushGlobalFolder ); await updater.doRushUpdateAsync(this.getUpdateOptions()); } } ```
/content/code_sandbox/libraries/rush-lib/src/cli/actions/BaseAddAndRemoveAction.ts
xml
2016-09-30T00:28:20
2024-08-16T18:54:35
rushstack
microsoft/rushstack
5,790
652
```xml export interface SerializedExternalEntity { id: string type: string externalId: string data: string searchable: string } ```
/content/code_sandbox/src/cloud/interfaces/db/externalEntity.ts
xml
2016-11-19T14:30:34
2024-08-16T03:13:45
BoostNote-App
BoostIO/BoostNote-App
3,745
34
```xml import { Component, Model, Prop, Watch, Vue } from 'vue-property-decorator' import { Value, DataObject, Mark, Marks, MarksProp, Styles, DotOption, DotStyle, Dot, Direction, Position, ProcessProp, Process, TooltipProp, TooltipFormatter, } from './typings' import VueSliderDot from './vue-slider-dot' import VueSliderMark from './vue-slider-mark' import { getSize, getPos, getKeyboardHandleFunc, HandleFunction } from './utils' import Decimal from './utils/decimal' import Control, { ERROR_TYPE } from './utils/control' import State, { StateMap } from './utils/state' import './styles/slider.scss' export const SliderState: StateMap = { None: 0, Drag: 1 << 1, Focus: 1 << 2, } const DEFAULT_SLIDER_SIZE = 4 @Component({ name: 'VueSlider', data() { return { control: null, } }, components: { VueSliderDot, VueSliderMark, }, }) export default class VueSlider extends Vue { control!: Control states: State = new State(SliderState) // The width of the component is divided into one hundred, the width of each one. scale: number = 1 // Currently dragged slider index focusDotIndex: number = 0 $refs!: { container: HTMLDivElement rail: HTMLDivElement } $el!: HTMLDivElement @Model('change', { default: 0 }) value!: Value | Value[] @Prop({ type: Boolean, default: false }) silent!: boolean @Prop({ default: 'ltr', validator: dir => ['ltr', 'rtl', 'ttb', 'btt'].indexOf(dir) > -1, }) direction!: Direction @Prop({ type: [Number, String] }) width?: number | string @Prop({ type: [Number, String] }) height?: number | string // The size of the slider, optional [width, height] | size @Prop({ default: 14 }) dotSize!: [number, number] | number // whether or not the slider should be fully contained within its containing element @Prop({ default: false }) contained!: boolean @Prop({ type: Number, default: 0 }) min!: number @Prop({ type: Number, default: 100 }) max!: number @Prop({ type: Number, default: 1 }) interval!: number @Prop({ type: Boolean, default: false }) disabled!: boolean @Prop({ type: Boolean, default: true }) clickable!: boolean @Prop({ type: Boolean, default: false }) dragOnClick!: boolean // The duration of the slider slide, Unit second @Prop({ type: Number, default: 0.5 }) duration!: number @Prop({ type: [Object, Array] }) data?: Value[] | object[] | DataObject @Prop({ type: String, default: 'value' }) dataValue!: string @Prop({ type: String, default: 'label' }) dataLabel!: string @Prop({ type: Boolean, default: false }) lazy!: boolean @Prop({ type: String, validator: val => ['none', 'always', 'focus', 'hover', 'active'].indexOf(val) > -1, default: 'active', }) tooltip!: TooltipProp @Prop({ type: [String, Array], validator: data => (Array.isArray(data) ? data : [data]).every( val => ['top', 'right', 'bottom', 'left'].indexOf(val) > -1, ), }) tooltipPlacement?: Position | Position[] @Prop({ type: [String, Array, Function] }) tooltipFormatter?: TooltipFormatter | TooltipFormatter[] // Keyboard control @Prop({ type: Boolean, default: true }) useKeyboard?: boolean // Keyboard controlled hook function @Prop(Function) keydownHook!: (e: KeyboardEvent) => HandleFunction | boolean // Whether to allow sliders to cross, only in range mode @Prop({ type: Boolean, default: true }) enableCross!: boolean // Whether to fix the slider interval, only in range mode @Prop({ type: Boolean, default: false }) fixed!: boolean // Whether to sort values, only in range mode // When order is false, the parameters [minRange, maxRange, fixed, enableCross] are invalid // e.g. When order = false, [50, 30] will not be automatically sorted into [30, 50] @Prop({ type: Boolean, default: true }) order!: boolean // Minimum distance between sliders, only in range mode @Prop(Number) minRange?: number // Maximum distance between sliders, only in range mode @Prop(Number) maxRange?: number @Prop({ type: [Boolean, Object, Array, Function], default: false }) marks?: MarksProp @Prop({ type: [Boolean, Function], default: true }) process?: ProcessProp @Prop({ type: [Number] }) zoom?: number // If the value is true , mark will be an independent value @Prop(Boolean) included?: boolean // If the value is true , dot will automatically adsorb to the nearest value @Prop(Boolean) adsorb?: boolean @Prop(Boolean) hideLabel?: boolean @Prop() dotOptions?: DotOption | DotOption[] @Prop() dotAttrs?: object @Prop() railStyle?: Styles @Prop() processStyle?: Styles @Prop() dotStyle?: Styles @Prop() tooltipStyle?: Styles @Prop() stepStyle?: Styles @Prop() stepActiveStyle?: Styles @Prop() labelStyle?: Styles @Prop() labelActiveStyle?: Styles get tailSize() { return getSize((this.isHorizontal ? this.height : this.width) || DEFAULT_SLIDER_SIZE) } get containerClasses() { return [ 'vue-slider', [`vue-slider-${this.direction}`], { 'vue-slider-disabled': this.disabled, }, ] } get containerStyles() { const [dotWidth, dotHeight] = Array.isArray(this.dotSize) ? this.dotSize : [this.dotSize, this.dotSize] const containerWidth = this.width ? getSize(this.width) : this.isHorizontal ? 'auto' : getSize(DEFAULT_SLIDER_SIZE) const containerHeight = this.height ? getSize(this.height) : this.isHorizontal ? getSize(DEFAULT_SLIDER_SIZE) : 'auto' return { padding: this.contained ? `${dotHeight / 2}px ${dotWidth / 2}px` : this.isHorizontal ? `${dotHeight / 2}px 0` : `0 ${dotWidth / 2}px`, width: containerWidth, height: containerHeight, } } get processArray(): Process[] { return this.control.processArray.map(([start, end, style], index) => { if (start > end) { /* tslint:disable:semicolon */ ;[start, end] = [end, start] } const sizeStyleKey = this.isHorizontal ? 'width' : 'height' return { start, end, index, style: { [this.isHorizontal ? 'height' : 'width']: '100%', [this.isHorizontal ? 'top' : 'left']: 0, [this.mainDirection]: `${start}%`, [sizeStyleKey]: `${end - start}%`, transitionProperty: `${sizeStyleKey},${this.mainDirection}`, transitionDuration: `${this.animateTime}s`, ...this.processStyle, ...style, }, } }) } get dotBaseStyle() { const [dotWidth, dotHeight] = Array.isArray(this.dotSize) ? this.dotSize : [this.dotSize, this.dotSize] let dotPos: { [key: string]: string } if (this.isHorizontal) { dotPos = { transform: `translate(${this.isReverse ? '50%' : '-50%'}, -50%)`, '-WebkitTransform': `translate(${this.isReverse ? '50%' : '-50%'}, -50%)`, top: '50%', [this.direction === 'ltr' ? 'left' : 'right']: '0', } } else { dotPos = { transform: `translate(-50%, ${this.isReverse ? '50%' : '-50%'})`, '-WebkitTransform': `translate(-50%, ${this.isReverse ? '50%' : '-50%'})`, left: '50%', [this.direction === 'btt' ? 'bottom' : 'top']: '0', } } return { width: `${dotWidth}px`, height: `${dotHeight}px`, ...dotPos, } } get mainDirection(): string { switch (this.direction) { case 'ltr': return 'left' case 'rtl': return 'right' case 'btt': return 'bottom' case 'ttb': return 'top' } } get isHorizontal(): boolean { return this.direction === 'ltr' || this.direction === 'rtl' } get isReverse(): boolean { return this.direction === 'rtl' || this.direction === 'btt' } get tooltipDirections(): Position[] { const dir = this.tooltipPlacement || (this.isHorizontal ? 'top' : 'left') if (Array.isArray(dir)) { return dir } else { return this.dots.map(() => dir) } } get dots(): Dot[] { return this.control.dotsPos.map((pos, index) => ({ pos, index, value: this.control.dotsValue[index], focus: this.states.has(SliderState.Focus) && this.focusDotIndex === index, disabled: this.disabled, style: this.dotStyle, ...((Array.isArray(this.dotOptions) ? this.dotOptions[index] : this.dotOptions) || {}), })) } get animateTime(): number { if (this.states.has(SliderState.Drag)) { return 0 } return this.duration } get canSort(): boolean { return this.order && !this.minRange && !this.maxRange && !this.fixed && this.enableCross } isObjectData(data?: Value[] | object[] | DataObject): data is DataObject { return !!data && Object.prototype.toString.call(data) === '[object Object]' } isObjectArrayData(data?: Value[] | object[] | DataObject): data is object[] { return !!data && Array.isArray(data) && data.length > 0 && typeof data[0] === 'object' } get sliderData(): undefined | Value[] { if (this.isObjectArrayData(this.data)) { return (this.data as any[]).map(obj => obj[this.dataValue]) } else if (this.isObjectData(this.data)) { return Object.keys(this.data) } else { return this.data as Value[] } } get sliderMarks(): undefined | MarksProp { if (this.marks) { return this.marks } else if (this.isObjectArrayData(this.data)) { return val => { const mark = { label: val } ;(this.data as any[]).some(obj => { if (obj[this.dataValue] === val) { mark.label = obj[this.dataLabel] return true } return false }) return mark } } else if (this.isObjectData(this.data)) { return this.data } } get sliderTooltipFormatter(): undefined | TooltipFormatter | TooltipFormatter[] { if (this.tooltipFormatter) { return this.tooltipFormatter } else if (this.isObjectArrayData(this.data)) { return val => { let tooltipText = '' + val ;(this.data as any[]).some(obj => { if (obj[this.dataValue] === val) { tooltipText = obj[this.dataLabel] return true } return false }) return tooltipText } } else if (this.isObjectData(this.data)) { const data = this.data return val => data[val] } } @Watch('value') onValueChanged() { if (this.control && !this.states.has(SliderState.Drag) && this.isNotSync) { this.control.setValue(this.value) this.syncValueByPos() } } created() { this.initControl() } mounted() { this.bindEvent() } beforeDestroy() { this.unbindEvent() } bindEvent() { document.addEventListener('touchmove', this.dragMove, { passive: false }) document.addEventListener('touchend', this.dragEnd, { passive: false }) document.addEventListener('mousedown', this.blurHandle) document.addEventListener('mousemove', this.dragMove, { passive: false }) document.addEventListener('mouseup', this.dragEnd) document.addEventListener('mouseleave', this.dragEnd) document.addEventListener('keydown', this.keydownHandle) } unbindEvent() { document.removeEventListener('touchmove', this.dragMove) document.removeEventListener('touchend', this.dragEnd) document.removeEventListener('mousedown', this.blurHandle) document.removeEventListener('mousemove', this.dragMove) document.removeEventListener('mouseup', this.dragEnd) document.removeEventListener('mouseleave', this.dragEnd) document.removeEventListener('keydown', this.keydownHandle) } setScale() { const decimal = new Decimal( Math.floor(this.isHorizontal ? this.$refs.rail.offsetWidth : this.$refs.rail.offsetHeight), ) if (this.zoom !== void 0) { decimal.multiply(this.zoom) } decimal.divide(100) this.scale = decimal.toNumber() } initControl() { this.control = new Control({ value: this.value, data: this.sliderData, enableCross: this.enableCross, fixed: this.fixed, max: this.max, min: this.min, interval: this.interval, minRange: this.minRange, maxRange: this.maxRange, order: this.order, marks: this.sliderMarks, included: this.included, process: this.process, adsorb: this.adsorb, dotOptions: this.dotOptions, onError: this.emitError, }) this.syncValueByPos() ;[ 'data', 'enableCross', 'fixed', 'max', 'min', 'interval', 'minRange', 'maxRange', 'order', 'marks', 'process', 'adsorb', 'included', 'dotOptions', ].forEach(name => { this.$watch(name, (val: any) => { if ( name === 'data' && Array.isArray(this.control.data) && Array.isArray(val) && this.control.data.length === val.length && val.every((item, index) => item === (this.control.data as Value[])[index]) ) { return false } switch (name) { case 'data': case 'dataLabel': case 'dataValue': this.control.data = this.sliderData break case 'mark': this.control.marks = this.sliderMarks break default: ;(this.control as any)[name] = val } if (['data', 'max', 'min', 'interval'].indexOf(name) > -1) { this.control.syncDotsPos() } }) }) } private syncValueByPos() { const values = this.control.dotsValue if (this.isDiff(values, Array.isArray(this.value) ? this.value : [this.value])) { this.$emit('change', values.length === 1 ? values[0] : [...values], this.focusDotIndex) } } // Slider value and component internal value are inconsistent private get isNotSync() { const values = this.control.dotsValue return Array.isArray(this.value) ? this.value.length !== values.length || this.value.some((val, index) => val !== values[index]) : this.value !== values[0] } private isDiff(value1: Value[], value2: Value[]) { return value1.length !== value2.length || value1.some((val, index) => val !== value2[index]) } private emitError(type: ERROR_TYPE, message: string) { if (!this.silent) { console.error(`[VueSlider error]: ${message}`) } this.$emit('error', type, message) } /** * Get the drag range of the slider * * @private * @param {number} index slider index * @returns {[number, number]} range [start, end] * @memberof VueSlider */ private get dragRange(): [number, number] { const prevDot = this.dots[this.focusDotIndex - 1] const nextDot = this.dots[this.focusDotIndex + 1] return [prevDot ? prevDot.pos : -Infinity, nextDot ? nextDot.pos : Infinity] } private dragStartOnProcess(e: MouseEvent | TouchEvent) { if (this.dragOnClick) { this.setScale() const pos = this.getPosByEvent(e) const index = this.control.getRecentDot(pos) if (this.dots[index].disabled) { return } this.dragStart(index) this.control.setDotPos(pos, this.focusDotIndex) if (!this.lazy) { this.syncValueByPos() } } } private dragStart(index: number) { this.focusDotIndex = index this.setScale() this.states.add(SliderState.Drag) this.states.add(SliderState.Focus) this.$emit('drag-start', this.focusDotIndex) } private dragMove(e: MouseEvent | TouchEvent) { if (!this.states.has(SliderState.Drag)) { return false } e.preventDefault() const pos = this.getPosByEvent(e) this.isCrossDot(pos) this.control.setDotPos(pos, this.focusDotIndex) if (!this.lazy) { this.syncValueByPos() } const value = this.control.dotsValue this.$emit('dragging', value.length === 1 ? value[0] : [...value], this.focusDotIndex) } // If the component is sorted, then when the slider crosses, toggle the currently selected slider index private isCrossDot(pos: number) { if (this.canSort) { const curIndex = this.focusDotIndex let curPos = pos if (curPos > this.dragRange[1]) { curPos = this.dragRange[1] this.focusDotIndex++ } else if (curPos < this.dragRange[0]) { curPos = this.dragRange[0] this.focusDotIndex-- } if (curIndex !== this.focusDotIndex) { const dotVm = (this.$refs as any)[`dot-${this.focusDotIndex}`] if (dotVm && dotVm.$el) { dotVm.$el.focus() } this.control.setDotPos(curPos, curIndex) } } } private dragEnd(e: MouseEvent | TouchEvent) { if (!this.states.has(SliderState.Drag)) { return false } setTimeout(() => { if (this.lazy) { this.syncValueByPos() } if (this.included && this.isNotSync) { this.control.setValue(this.value) } else { // Sync slider position this.control.syncDotsPos() } this.states.delete(SliderState.Drag) // If useKeyboard is true, keep focus status after dragging if (!this.useKeyboard || 'targetTouches' in e) { this.states.delete(SliderState.Focus) } this.$emit('drag-end', this.focusDotIndex) }) } private blurHandle(e: MouseEvent) { if ( !this.states.has(SliderState.Focus) || !this.$refs.container || this.$refs.container.contains(e.target as Node) ) { return false } this.states.delete(SliderState.Focus) } private clickHandle(e: MouseEvent | TouchEvent) { if (!this.clickable || this.disabled) { return false } if (this.states.has(SliderState.Drag)) { return } this.setScale() const pos = this.getPosByEvent(e) this.setValueByPos(pos) } focus(index: number = 0) { this.states.add(SliderState.Focus) this.focusDotIndex = index } blur() { this.states.delete(SliderState.Focus) } getValue() { const values = this.control.dotsValue return values.length === 1 ? values[0] : values } getIndex() { const indexes = this.control.dotsIndex return indexes.length === 1 ? indexes[0] : indexes } setValue(value: Value | Value[]) { this.control.setValue(Array.isArray(value) ? [...value] : [value]) this.syncValueByPos() } setIndex(index: number | number[]) { const value = Array.isArray(index) ? index.map(n => this.control.getValueByIndex(n)) : this.control.getValueByIndex(index) this.setValue(value) } setValueByPos(pos: number) { const index = this.control.getRecentDot(pos) if (this.disabled || this.dots[index].disabled) { return false } this.focusDotIndex = index this.control.setDotPos(pos, index) this.syncValueByPos() if (this.useKeyboard) { this.states.add(SliderState.Focus) } setTimeout(() => { if (this.included && this.isNotSync) { this.control.setValue(this.value) } else { this.control.syncDotsPos() } }) } keydownHandle(e: KeyboardEvent) { if (!this.useKeyboard || !this.states.has(SliderState.Focus)) { return false } const isInclude = this.included && this.marks const handleFunc = getKeyboardHandleFunc(e, { direction: this.direction, max: isInclude ? this.control.markList.length - 1 : this.control.total, min: 0, hook: this.keydownHook, }) if (handleFunc) { e.preventDefault() let newIndex = -1 let pos = 0 if (isInclude) { this.control.markList.some((mark, index) => { if (mark.value === this.control.dotsValue[this.focusDotIndex]) { newIndex = handleFunc(index) return true } return false }) if (newIndex < 0) { newIndex = 0 } else if (newIndex > this.control.markList.length - 1) { newIndex = this.control.markList.length - 1 } pos = this.control.markList[newIndex].pos } else { newIndex = handleFunc( this.control.getIndexByValue(this.control.dotsValue[this.focusDotIndex]), ) pos = this.control.parseValue(this.control.getValueByIndex(newIndex)) } this.isCrossDot(pos) this.control.setDotPos(pos, this.focusDotIndex) this.syncValueByPos() } } private getPosByEvent(e: MouseEvent | TouchEvent): number { return ( getPos(e, this.$refs.rail, this.isReverse, this.zoom)[this.isHorizontal ? 'x' : 'y'] / this.scale ) } private renderSlot<T>(name: string, data: T, defaultSlot: any, isDefault?: boolean): any { const scopedSlot = this.$scopedSlots[name] return scopedSlot ? ( isDefault ? ( scopedSlot(data) ) : ( <template slot={name}>{scopedSlot(data)}</template> ) ) : ( defaultSlot ) } render() { return ( <div ref="container" class={this.containerClasses} style={this.containerStyles} onClick={this.clickHandle} onTouchstart={this.dragStartOnProcess} onMousedown={this.dragStartOnProcess} {...this.$attrs} > {/* rail */} <div ref="rail" class="vue-slider-rail" style={this.railStyle}> {this.processArray.map((item, index) => this.renderSlot<Process>( 'process', item, <div class="vue-slider-process" key={`process-${index}`} style={item.style} />, true, ), )} {/* mark */} {this.sliderMarks ? ( <div class="vue-slider-marks"> {this.control.markList.map((mark, index) => this.renderSlot<Mark>( 'mark', mark, <vue-slider-mark key={`mark-${index}`} mark={mark} hideLabel={this.hideLabel} style={{ [this.isHorizontal ? 'height' : 'width']: '100%', [this.isHorizontal ? 'width' : 'height']: this.tailSize, [this.mainDirection]: `${mark.pos}%`, }} stepStyle={this.stepStyle} stepActiveStyle={this.stepActiveStyle} labelStyle={this.labelStyle} labelActiveStyle={this.labelActiveStyle} onPressLabel={(pos: number) => this.clickable && this.setValueByPos(pos)} > {this.renderSlot<Mark>('step', mark, null)} {this.renderSlot<Mark>('label', mark, null)} </vue-slider-mark>, true, ), )} </div> ) : null} {/* dot */} {this.dots.map((dot, index) => ( <vue-slider-dot ref={`dot-${index}`} key={`dot-${index}`} value={dot.value} disabled={dot.disabled} focus={dot.focus} dot-style={[ dot.style, dot.disabled ? dot.disabledStyle : null, dot.focus ? dot.focusStyle : null, ]} tooltip={dot.tooltip || this.tooltip} tooltip-style={[ this.tooltipStyle, dot.tooltipStyle, dot.disabled ? dot.tooltipDisabledStyle : null, dot.focus ? dot.tooltipFocusStyle : null, ]} tooltip-formatter={ Array.isArray(this.sliderTooltipFormatter) ? this.sliderTooltipFormatter[index] : this.sliderTooltipFormatter } tooltip-placement={this.tooltipDirections[index]} style={[ this.dotBaseStyle, { [this.mainDirection]: `${dot.pos}%`, transition: `${this.mainDirection} ${this.animateTime}s`, }, ]} onDrag-start={() => this.dragStart(index)} role="slider" aria-valuenow={dot.value} aria-valuemin={this.min} aria-valuemax={this.max} aria-orientation={this.isHorizontal ? 'horizontal' : 'vertical'} tabindex="0" nativeOnFocus={() => !dot.disabled && this.focus(index)} nativeOnBlur={() => this.blur()} {...{ attrs: this.dotAttrs }} > {this.renderSlot<Dot>('dot', dot, null)} {this.renderSlot<Dot>('tooltip', dot, null)} </vue-slider-dot> ))} {this.renderSlot<any>('default', { value: this.getValue() }, null, true)} </div> </div> ) } } ```
/content/code_sandbox/lib/vue-slider.tsx
xml
2016-09-29T04:23:25
2024-08-14T13:08:03
vue-slider-component
NightCatSama/vue-slider-component
2,400
6,129
```xml #define TORCH_ASSERT_ONLY_METHOD_OPERATORS #include <ATen/native/mps/OperationUtils.h> #ifndef AT_PER_OPERATOR_HEADERS #include <ATen/Functions.h> #include <ATen/NativeFunctions.h> #else #include <ATen/ops/binary_cross_entropy_backward_native.h> #include <ATen/ops/binary_cross_entropy_native.h> #include <ATen/ops/huber_loss_backward_native.h> #include <ATen/ops/huber_loss_native.h> #include <ATen/ops/mse_loss_backward_native.h> #include <ATen/ops/mse_loss_native.h> #include <ATen/ops/nll_loss2d_backward_native.h> #include <ATen/ops/nll_loss2d_forward_native.h> #include <ATen/ops/nll_loss_backward_native.h> #include <ATen/ops/nll_loss_forward_native.h> #include <ATen/ops/smooth_l1_loss_backward_native.h> #include <ATen/ops/smooth_l1_loss_native.h> #endif namespace at::native { namespace mps { static string reductionToString(int64_t reduction) { switch (reduction) { case Reduction::Mean: return "Mean"; case Reduction::Sum: return "Sum"; default: return "None"; } } static MPSGraphTensor* reduceTensor(MPSGraphTensor* tensor, int64_t reduction, MPSGraph* mpsGraph, NSUInteger axesCount) { NSMutableArray<NSNumber*>* axes = [NSMutableArray<NSNumber*> arrayWithCapacity:axesCount]; for (NSUInteger i = 0; i < axesCount; i++) axes[i] = @(i); switch (reduction) { case Reduction::Mean: return [mpsGraph meanOfTensor:tensor axes:axes name:@"reductionMeanTensor"]; case Reduction::Sum: return [mpsGraph reductionSumWithTensor:tensor axes:axes name:@"reductionSumTensor"]; default: assert(reduction == Reduction::None); return tensor; } } static Tensor& mse_loss_backward_out_impl(const Tensor& grad_output, const Tensor& input, const Tensor& target, int64_t reduction, Tensor& grad_input, const string op_name) { TORCH_CHECK(target.is_same_size(input), op_name + ": target and input tensors must have identical shapes") auto norm = reduction == Reduction::Mean ? 2. / static_cast<double>(input.numel()) : 2.; struct CachedGraph : public MPSCachedGraph { CachedGraph(MPSGraph* graph) : MPSCachedGraph(graph) {} MPSGraphTensor *inputTensor = nil, *targetTensor = nil; MPSGraphTensor *gradInputTensor = nil, *gradOutputTensor = nil; }; @autoreleasepool { string key = op_name + reductionToString(reduction) + ":" + std::to_string(grad_input.sizes()[1]) + getTensorsStringKey({input, target, grad_output}); auto cachedGraph = LookUpOrCreateCachedGraph<CachedGraph>(key, [&](auto mpsGraph, auto newCachedGraph) { newCachedGraph->inputTensor = mpsGraphRankedPlaceHolder(mpsGraph, input); newCachedGraph->targetTensor = mpsGraphRankedPlaceHolder(mpsGraph, target); newCachedGraph->gradOutputTensor = mpsGraphRankedPlaceHolder(mpsGraph, grad_output); MPSGraphTensor* normTensor = [mpsGraph constantWithScalar:norm dataType:[newCachedGraph->inputTensor dataType]]; MPSGraphTensor* diffTensor = [mpsGraph subtractionWithPrimaryTensor:newCachedGraph->inputTensor secondaryTensor:newCachedGraph->targetTensor name:nil]; MPSGraphTensor* diffGradientTensor = [mpsGraph multiplicationWithPrimaryTensor:diffTensor secondaryTensor:newCachedGraph->gradOutputTensor name:nil]; newCachedGraph->gradInputTensor = [mpsGraph multiplicationWithPrimaryTensor:diffGradientTensor secondaryTensor:normTensor name:nil]; }); Placeholder inputPlaceholder = Placeholder(cachedGraph->inputTensor, input); Placeholder targetPlaceholder = Placeholder(cachedGraph->targetTensor, target); Placeholder gradInputPlaceholder = Placeholder(cachedGraph->gradInputTensor, grad_input); Placeholder gradOutputPlaceholder = Placeholder(cachedGraph->gradOutputTensor, grad_output); auto feeds = dictionaryFromPlaceholders(inputPlaceholder, targetPlaceholder, gradOutputPlaceholder); runMPSGraph(getCurrentMPSStream(), cachedGraph->graph(), feeds, gradInputPlaceholder); } return grad_input; } // namespace to localize the CachedGraph struct for Binary Cross Entropy namespace BCELoss { struct CachedGraph : public MPSCachedGraph { CachedGraph(MPSGraph* graph) : MPSCachedGraph(graph) {} MPSGraphTensor *inputTensor = nil, *targetTensor = nil; // gradOutput only used on backward pass MPSGraphTensor *weightTensor = nil, *gradOutputTensor = nil; // lossTensor used for forward, and gradInputTensor for backward pass union { MPSGraphTensor* lossTensor = nil; MPSGraphTensor* gradInputTensor; }; }; static MPSGraphTensor* bce_forward_mps(CachedGraph* bceGraph) { MPSGraph* mpsGraph = bceGraph->graph(); const auto inputType = [bceGraph->inputTensor dataType]; // Forward BCE: L = -w (y ln(x) + (1-y) ln(1-x)) MPSGraphTensor* one = [mpsGraph constantWithScalar:1.0 dataType:inputType]; // -100 is the hard limit value defined in BCELoss Spec. to clamp the log MPSGraphTensor* neg100 = [mpsGraph constantWithScalar:-100.0 dataType:inputType]; // 1 - x MPSGraphTensor* one_Input = [mpsGraph subtractionWithPrimaryTensor:one secondaryTensor:bceGraph->inputTensor name:nil]; // log(x) MPSGraphTensor* logInput = [mpsGraph logarithmWithTensor:bceGraph->inputTensor name:nil]; // max(log(x), -100) MPSGraphTensor* clampedLogInput = [mpsGraph maximumWithPrimaryTensor:logInput secondaryTensor:neg100 name:nil]; // log(1 - x) MPSGraphTensor* log1_Input = [mpsGraph logarithmWithTensor:one_Input name:nil]; // max(log(1 - x), -100) MPSGraphTensor* clampedLog1_Input = [mpsGraph maximumWithPrimaryTensor:log1_Input secondaryTensor:neg100 name:nil]; // (y - 1) resulted from -(1 - y) MPSGraphTensor* target_1 = [mpsGraph subtractionWithPrimaryTensor:bceGraph->targetTensor secondaryTensor:one name:nil]; // (y - 1) * max(log(1 - x), -100) MPSGraphTensor* target_1TimesLog1_Input = [mpsGraph multiplicationWithPrimaryTensor:target_1 secondaryTensor:clampedLog1_Input name:nil]; // y * max(log(x), -100) MPSGraphTensor* targetTimesLogInput = [mpsGraph multiplicationWithPrimaryTensor:bceGraph->targetTensor secondaryTensor:clampedLogInput name:nil]; // ((y - 1) * max(log(1 - x), -100)) - (y * max(log(x), -100)) MPSGraphTensor* bceLoss = [mpsGraph subtractionWithPrimaryTensor:target_1TimesLog1_Input secondaryTensor:targetTimesLogInput name:nil]; return bceLoss; } static MPSGraphTensor* bce_backward_mps(CachedGraph* bceGraph) { MPSGraph* mpsGraph = bceGraph->graph(); const auto inputType = [bceGraph->inputTensor dataType]; // Backward BCE: d(L)/d(x) = -w (y - x) / (x - x^2) MPSGraphTensor* one = [mpsGraph constantWithScalar:1.0 dataType:inputType]; // epsilon used to clamp the grad input denominator MPSGraphTensor* epsilon = [mpsGraph constantWithScalar:1e-12 dataType:inputType]; // 1 - x MPSGraphTensor* one_Input = [mpsGraph subtractionWithPrimaryTensor:one secondaryTensor:bceGraph->inputTensor name:nil]; // x * (1 - x) MPSGraphTensor* inputTimes1_Input = [mpsGraph multiplicationWithPrimaryTensor:bceGraph->inputTensor secondaryTensor:one_Input name:nil]; // max(x * (1 - x), epsilon) MPSGraphTensor* gradInputDenominator = [mpsGraph maximumWithPrimaryTensor:inputTimes1_Input secondaryTensor:epsilon name:nil]; // (x - y) MPSGraphTensor* input_target = [mpsGraph subtractionWithPrimaryTensor:bceGraph->inputTensor secondaryTensor:bceGraph->targetTensor name:nil]; // (x - y) / max(x * (1 - x), epsilon) MPSGraphTensor* inputDivGradInputDenom = [mpsGraph divisionWithPrimaryTensor:input_target secondaryTensor:gradInputDenominator name:nil]; // gradOutput * (((x - y) / max(x * (1 - x), epsilon))) MPSGraphTensor* gradInput = [mpsGraph multiplicationWithPrimaryTensor:bceGraph->gradOutputTensor secondaryTensor:inputDivGradInputDenom name:nil]; return gradInput; } // Binary Cross Enropy (Forward/Backward BCELoss) // NOTE: "loss" tensor would be "grad_input" if it's a backward pass static Tensor& bce_loss_out_impl(const Tensor& input, const Tensor& target, const std::optional<Tensor>& weight_opt, int64_t reduction, Tensor& loss, const std::optional<Tensor>& grad_output_opt, const string op_name) { // TODO: add sanity check for the elements of input tensor to be within [0..1] TORCH_CHECK(target.is_same_size(input), op_name + ": target and input tensors must have identical shapes") c10::MaybeOwned<Tensor> weight_maybe_owned = at::borrow_from_optional_tensor(weight_opt); c10::MaybeOwned<Tensor> grad_output_maybe_owned = at::borrow_from_optional_tensor(grad_output_opt); const Tensor& weight = *weight_maybe_owned; const Tensor& grad_output = *grad_output_maybe_owned; loss.resize_((reduction == Reduction::None || grad_output.defined()) ? target.sizes() : IntArrayRef({})); TORCH_CHECK(loss.is_mps()); Tensor loss_squeezed = loss.squeeze(); Tensor input_squeezed = input.squeeze(); Tensor target_squeezed = target.squeeze(); @autoreleasepool { string key = op_name + reductionToString(reduction) + getTensorsStringKey({input_squeezed, target_squeezed, weight}); auto cachedGraph = LookUpOrCreateCachedGraph<CachedGraph>(key, [&](auto mpsGraph, auto newCachedGraph) { newCachedGraph->inputTensor = mpsGraphRankedPlaceHolder(mpsGraph, input_squeezed); newCachedGraph->targetTensor = mpsGraphRankedPlaceHolder(mpsGraph, target_squeezed); MPSGraphTensor* bceLossUnweighted = nil; // if grad_output is defined, then it's a backward pass if (grad_output.defined()) { newCachedGraph->gradOutputTensor = mpsGraphRankedPlaceHolder(mpsGraph, grad_output); bceLossUnweighted = bce_backward_mps(newCachedGraph); } else { bceLossUnweighted = bce_forward_mps(newCachedGraph); } MPSGraphTensor* bceLoss = bceLossUnweighted; if (weight.defined()) { newCachedGraph->weightTensor = mpsGraphRankedPlaceHolder(mpsGraph, weight); bceLoss = [mpsGraph multiplicationWithPrimaryTensor:bceLossUnweighted secondaryTensor:newCachedGraph->weightTensor name:nil]; } if (grad_output.defined()) { if (reduction == at::Reduction::Mean) { MPSGraphTensor* inputNumel = [mpsGraph constantWithScalar:static_cast<double>(input.numel()) dataType:[bceLoss dataType]]; newCachedGraph->gradInputTensor = [mpsGraph divisionWithPrimaryTensor:bceLoss secondaryTensor:inputNumel name:nil]; } else { newCachedGraph->gradInputTensor = bceLoss; } } else { newCachedGraph->lossTensor = reduceTensor(bceLoss, reduction, mpsGraph, input_squeezed.sizes().size()); } }); Placeholder inputPlaceholder = Placeholder(cachedGraph->inputTensor, input_squeezed); Placeholder targetPlaceholder = Placeholder(cachedGraph->targetTensor, target_squeezed); Placeholder lossPlaceholder = Placeholder(cachedGraph->lossTensor, loss_squeezed); NSMutableDictionary* feeds = [[NSMutableDictionary new] autorelease]; feeds[inputPlaceholder.getMPSGraphTensor()] = inputPlaceholder.getMPSGraphTensorData(); feeds[targetPlaceholder.getMPSGraphTensor()] = targetPlaceholder.getMPSGraphTensorData(); if (weight.defined()) { Placeholder weightPlaceholder = Placeholder(cachedGraph->weightTensor, weight); feeds[weightPlaceholder.getMPSGraphTensor()] = weightPlaceholder.getMPSGraphTensorData(); } if (grad_output.defined()) { Placeholder gradOutputPlaceholder = Placeholder(cachedGraph->gradOutputTensor, grad_output); feeds[gradOutputPlaceholder.getMPSGraphTensor()] = gradOutputPlaceholder.getMPSGraphTensorData(); } runMPSGraph(getCurrentMPSStream(), cachedGraph->graph(), feeds, lossPlaceholder); } return loss; } } // namespace BCELoss static inline MPSGraphTensor* divisionNoNaN(MPSGraph* mpsGraph, MPSGraphTensor* divident, MPSGraphTensor* divisor) { auto* div = [mpsGraph divisionWithPrimaryTensor:divident secondaryTensor:divisor name:@"divisionTensor"]; // Replace NaNs with 0 for divident elements equal to 0 return [mpsGraph selectWithPredicateTensor:castMPSTensor(mpsGraph, divisor, MPSDataTypeBool) truePredicateTensor:div falsePredicateTensor:[mpsGraph constantWithScalar:0.0 dataType:div.dataType] name:nil]; } // NLLLoss static void nllnd_loss_backward_impl(Tensor& grad_input_arg, const Tensor& grad_output_arg, const Tensor& input_arg, const Tensor& target_arg, const Tensor& weight_arg, int64_t reduction, int64_t ignore_index, const Tensor& total_weight, bool is2D) { if (grad_input_arg.numel() == 0) { return; } struct CachedGraph : public MPSCachedGraph { CachedGraph(MPSGraph* graph) : MPSCachedGraph(graph) {} MPSGraphTensor* inputTensor_ = nil; MPSGraphTensor* targetTensor_ = nil; MPSGraphTensor* weightTensor_ = nil; MPSGraphTensor* totalWeightTensor_ = nil; MPSGraphTensor* gradInputTensor_ = nil; MPSGraphTensor* gradOutputTensor_ = nil; }; bool isWeightsArrayValid = weight_arg.defined() && weight_arg.numel() > 0; bool isTargetCasted = target_arg.scalar_type() != ScalarType::Long; int64_t channel_dim = grad_input_arg.dim() < 2 ? 0 : 1; auto input = input_arg.dim() == 1 ? input_arg.view({1, input_arg.size(0)}) : input_arg; auto target = target_arg.dim() == 0 ? target_arg.view({1}) : target_arg; auto grad_input = grad_input_arg.dim() == 1 ? grad_input_arg.view({1, grad_input_arg.size(0)}) : grad_input_arg; auto numClasses = grad_input.sizes()[1]; auto weight = weight_arg; auto grad_output = grad_output_arg; if (isWeightsArrayValid) { std::vector<int64_t> weightShape(input.dim(), 1); weightShape[1] = input.size(1); weight = weight_arg.view(weightShape); } if (grad_output_arg.dim() < grad_input.dim() && grad_output_arg.dim() > 0) { grad_output = grad_output_arg.unsqueeze(channel_dim); } @autoreleasepool { string key = "nllnd_loss_backward" + getTensorsStringKey({input, grad_output, target, weight, total_weight}) + std::to_string(numClasses) + ":" + std::to_string(ignore_index) + ":" + std::to_string(isWeightsArrayValid) + ":" + std::to_string(isTargetCasted) + ":" + reductionToString(reduction); auto cachedGraph = LookUpOrCreateCachedGraph<CachedGraph>(key, [&](auto mpsGraph, auto newCachedGraph) { MPSGraphTensor* inputTensor = mpsGraphRankedPlaceHolder(mpsGraph, input); MPSGraphTensor* targetTensor = mpsGraphRankedPlaceHolder(mpsGraph, target); MPSGraphTensor* castedTargetTensor = isTargetCasted ? castMPSTensor(mpsGraph, targetTensor, MPSDataTypeInt64) : targetTensor; MPSGraphTensor* weightTensor = nil; if (isWeightsArrayValid) { weightTensor = mpsGraphRankedPlaceHolder(mpsGraph, weight); } MPSGraphTensor* totalWeightTensor = mpsGraphRankedPlaceHolder(mpsGraph, total_weight); MPSGraphTensor* gradOutputTensor = mpsGraphRankedPlaceHolder(mpsGraph, grad_output); MPSGraphTensor* updatedTargetTensor = castedTargetTensor; // Replace ignored_index with length depth + 1 so that oneHotAPI ignores it MPSGraphTensor* ignoreIndexTensor = [mpsGraph constantWithScalar:ignore_index dataType:MPSDataTypeInt64]; MPSGraphTensor* numClassesTensor = [mpsGraph constantWithScalar:(numClasses + 1) dataType:MPSDataTypeInt64]; MPSGraphTensor* isEqualTensor = [mpsGraph equalWithPrimaryTensor:castedTargetTensor secondaryTensor:ignoreIndexTensor name:@"isEqualTensor"]; updatedTargetTensor = [mpsGraph selectWithPredicateTensor:isEqualTensor truePredicateTensor:numClassesTensor falsePredicateTensor:castedTargetTensor name:@"predicateTensor"]; // oneHotWithIndicesTensor only works for Float32 dtype // cast it explicitly later if needed auto* oneHotTensor = [mpsGraph oneHotWithIndicesTensor:updatedTargetTensor depth:numClasses axis:1 dataType:MPSDataTypeFloat32 onValue:-1.0f offValue:0.0f name:nil]; oneHotTensor = castMPSTensor(mpsGraph, oneHotTensor, inputTensor.dataType); if (isWeightsArrayValid) { oneHotTensor = [mpsGraph multiplicationWithPrimaryTensor:oneHotTensor secondaryTensor:weightTensor name:@"scaleByWeightTensor"]; } if (reduction == Reduction::Mean) { oneHotTensor = divisionNoNaN(mpsGraph, oneHotTensor, totalWeightTensor); } MPSGraphTensor* gradInputTensor = [mpsGraph multiplicationWithPrimaryTensor:oneHotTensor secondaryTensor:gradOutputTensor name:nil]; newCachedGraph->inputTensor_ = inputTensor; newCachedGraph->targetTensor_ = targetTensor; newCachedGraph->weightTensor_ = weightTensor; newCachedGraph->totalWeightTensor_ = totalWeightTensor; newCachedGraph->gradInputTensor_ = gradInputTensor; newCachedGraph->gradOutputTensor_ = gradOutputTensor; }); auto inputPlaceholder = Placeholder(cachedGraph->inputTensor_, input); auto gradOutputPlaceholder = Placeholder(cachedGraph->gradOutputTensor_, grad_output); auto targetPlaceholder = Placeholder(cachedGraph->targetTensor_, target); Placeholder weightPlaceholder = Placeholder(); if (isWeightsArrayValid) { weightPlaceholder = Placeholder(cachedGraph->weightTensor_, weight); } auto totalWeightPlaceholder = Placeholder(cachedGraph->totalWeightTensor_, total_weight); auto gradInputPlaceholder = Placeholder(cachedGraph->gradInputTensor_, grad_input); NSMutableDictionary* feeds = [[NSMutableDictionary new] autorelease]; feeds[inputPlaceholder.getMPSGraphTensor()] = inputPlaceholder.getMPSGraphTensorData(); feeds[targetPlaceholder.getMPSGraphTensor()] = targetPlaceholder.getMPSGraphTensorData(); feeds[totalWeightPlaceholder.getMPSGraphTensor()] = totalWeightPlaceholder.getMPSGraphTensorData(); feeds[gradOutputPlaceholder.getMPSGraphTensor()] = gradOutputPlaceholder.getMPSGraphTensorData(); if (isWeightsArrayValid) { feeds[weightPlaceholder.getMPSGraphTensor()] = weightPlaceholder.getMPSGraphTensorData(); } runMPSGraph(getCurrentMPSStream(), cachedGraph->graph(), feeds, gradInputPlaceholder); } } static void nllnd_loss_forward_impl(Tensor& output, Tensor& total_weight, const Tensor& input_arg, const Tensor& target_arg, const Tensor& weight, int64_t reduction, int64_t ignore_index, bool is2D) { std::vector<long long> reshapedTarget(target_arg.sizes().begin(), target_arg.sizes().end()); reshapedTarget.push_back(1); Tensor batchSizeTensor = at::empty_like(input_arg).resize_(IntArrayRef(1)); float batchVal = 1.0f; for (size_t i = 0; i < reshapedTarget.size(); ++i) batchVal *= reshapedTarget[i]; batchSizeTensor[0] = batchVal; if (reduction == Reduction::None) output.resize_(target_arg.sizes()); if (reduction == Reduction::Sum) output.resize_({}); if (reduction == Reduction::Mean) output.resize_({}); TORCH_CHECK(output.is_mps()); // Empty output if (output.numel() == 0) return; struct CachedGraph : public MPSCachedGraph { CachedGraph(MPSGraph* graph) : MPSCachedGraph(graph) {} MPSGraphTensor* inputTensor_ = nil; MPSGraphTensor* targetTensor_ = nil; MPSGraphTensor* weightTensor_ = nil; MPSGraphTensor* batchSizeTensor_ = nil; MPSGraphTensor* totalWeightTensor_ = nil; MPSGraphTensor* outputTensor_ = nil; }; MPSStream* stream = getCurrentMPSStream(); auto input = input_arg.dim() == 1 ? input_arg.view({1, input_arg.size(0)}) : input_arg; auto target = target_arg.dim() == 0 ? target_arg.view({1}) : target_arg; @autoreleasepool { bool isWeightsArrayValid = (weight.numel() > 0); bool isTargetCasted = target.scalar_type() != ScalarType::Long; MPSShape* input_shape = getMPSShape(input); MPSShape* target_shape = getMPSShape(target); MPSShape* weight_shape = getMPSShape(weight); NSString* ns_shape_key = [[input_shape valueForKey:@"description"] componentsJoinedByString:@","]; // TODO: Make the key string key = "nllnd_loss_forward_impl:" + std::to_string(ignore_index) + ":" + std::to_string(isWeightsArrayValid) + ":" + reductionToString(reduction) + ":" + [ns_shape_key UTF8String] + ":" + getMPSTypeString(input) + ":" + getMPSTypeString(target) + ":" + std::to_string(isTargetCasted) + ":" + getMPSTypeString(weight); auto cachedGraph = LookUpOrCreateCachedGraph<CachedGraph>(key, [&](auto mpsGraph, auto newCachedGraph) { MPSGraphTensor* inputTensor = mpsGraphRankedPlaceHolder(mpsGraph, getMPSDataType(input), input_shape); MPSGraphTensor* targetTensor = mpsGraphRankedPlaceHolder(mpsGraph, getMPSDataType(target), target_shape); MPSGraphTensor* castedTargetTensor = isTargetCasted ? castMPSTensor(mpsGraph, targetTensor, MPSDataTypeInt64) : targetTensor; MPSGraphTensor* weightTensor = nil; if (isWeightsArrayValid) weightTensor = mpsGraphRankedPlaceHolder(mpsGraph, getMPSDataType(weight), weight_shape); MPSGraphTensor* mps_batchSizeTensor = mpsGraphUnrankedPlaceHolder(mpsGraph, getMPSDataType(batchSizeTensor)); MPSGraphTensor* mpsGraphBatchSizeTensor = mps_batchSizeTensor; // The transposes are needed to get the class dimension (dim 1) to the inner most dim for gather op. // The transpose become nop in the 2D case. MPSGraphTensor* mpsTransposeTensor = inputTensor; int classDim = 1; int lastDim = input.sizes().size() - 1; mpsTransposeTensor = [mpsGraph transposeTensor:inputTensor dimension:classDim withDimension:lastDim name:nil]; for (int i = 0; i < lastDim - 2; ++i) { mpsTransposeTensor = [mpsGraph transposeTensor:mpsTransposeTensor dimension:classDim + i withDimension:classDim + i + 1 name:nil]; } MPSGraphTensor* mpsGatherTensor = [mpsGraph gatherWithUpdatesTensor:mpsTransposeTensor indicesTensor:castedTargetTensor axis:lastDim batchDimensions:lastDim name:@"gatherTensor"]; MPSGraphTensor* mpsGraphZeroTensor = [mpsGraph constantWithScalar:0.0 dataType:mpsGatherTensor.dataType]; MPSGraphTensor* mpsGraphOneTensor = [mpsGraph constantWithScalar:1.0 dataType:mpsGatherTensor.dataType]; MPSGraphTensor* mpsGraphIndexTensor = [mpsGraph constantWithScalar:ignore_index dataType:MPSDataTypeInt64]; MPSGraphTensor* mpsGraphIsEqualTensor = [mpsGraph equalWithPrimaryTensor:castedTargetTensor secondaryTensor:mpsGraphIndexTensor name:@"isEqualTensor"]; // Zero out loss mpsGatherTensor = [mpsGraph selectWithPredicateTensor:mpsGraphIsEqualTensor truePredicateTensor:mpsGraphZeroTensor falsePredicateTensor:mpsGatherTensor name:@"predicateTensor"]; if (isWeightsArrayValid) { MPSGraphTensor* weightGatherTensor = [mpsGraph gatherWithUpdatesTensor:weightTensor indicesTensor:castedTargetTensor axis:0 batchDimensions:0 name:@"weightGatherTensor"]; mpsGatherTensor = [mpsGraph multiplicationWithPrimaryTensor:weightGatherTensor secondaryTensor:mpsGatherTensor name:@"scaledLossTensor"]; mpsGraphOneTensor = weightGatherTensor; } // Compute new batch size MPSGraphTensor* mpsSelectOneTensor = [mpsGraph selectWithPredicateTensor:mpsGraphIsEqualTensor truePredicateTensor:mpsGraphZeroTensor falsePredicateTensor:mpsGraphOneTensor name:@"predicateOneTensor"]; MPSGraphTensor* mpsGraphNegTensor = [mpsGraph negativeWithTensor:mpsGatherTensor name:@"negativeTensor"]; MPSGraphTensor* mpsGraphReducedTensor = mpsGraphNegTensor; if (!(reduction == Reduction::None)) { mpsGraphReducedTensor = [mpsGraph reductionSumWithTensor:mpsGraphNegTensor axes:nil name:@"reductionSumTensor"]; if (reduction == Reduction::Mean) { mpsGraphBatchSizeTensor = [mpsGraph reductionSumWithTensor:mpsSelectOneTensor axes:nil name:@"batchSizeReductionTensor"]; mpsGraphReducedTensor = divisionNoNaN(mpsGraph, mpsGraphReducedTensor, mpsGraphBatchSizeTensor); } } mpsGraphReducedTensor = [mpsGraph reshapeTensor:mpsGraphReducedTensor withShape:getMPSShape(output) name:nil]; newCachedGraph->inputTensor_ = inputTensor; newCachedGraph->targetTensor_ = targetTensor; newCachedGraph->weightTensor_ = weightTensor; newCachedGraph->batchSizeTensor_ = mps_batchSizeTensor; newCachedGraph->totalWeightTensor_ = mpsGraphBatchSizeTensor; newCachedGraph->outputTensor_ = mpsGraphReducedTensor; }); Placeholder selfPlaceholder = Placeholder(cachedGraph->inputTensor_, input, nil, true, MPSDataTypeInvalid, false); Placeholder targetPlaceholder = Placeholder(cachedGraph->targetTensor_, target, nil, true, MPSDataTypeInvalid, false); Placeholder weightPlaceholder = Placeholder(); if (isWeightsArrayValid) weightPlaceholder = Placeholder(cachedGraph->weightTensor_, weight, nil, true, MPSDataTypeInvalid, false); Placeholder batchSizePlaceholder = Placeholder(cachedGraph->batchSizeTensor_, batchSizeTensor, nil, true, MPSDataTypeInvalid, false); Placeholder outputPlaceholder = Placeholder(cachedGraph->outputTensor_, output, nil, true, MPSDataTypeInvalid, false); Placeholder totalWeightsPlaceholder = Placeholder(cachedGraph->totalWeightTensor_, total_weight, nil, true, MPSDataTypeInvalid, false); // Create dictionary of inputs and outputs NSMutableDictionary<MPSGraphTensor*, MPSGraphTensorData*>* feeds = [[[NSMutableDictionary alloc] initWithCapacity:4] autorelease]; feeds[selfPlaceholder.getMPSGraphTensor()] = selfPlaceholder.getMPSGraphTensorData(); feeds[targetPlaceholder.getMPSGraphTensor()] = targetPlaceholder.getMPSGraphTensorData(); feeds[batchSizePlaceholder.getMPSGraphTensor()] = batchSizePlaceholder.getMPSGraphTensorData(); if (isWeightsArrayValid) feeds[weightPlaceholder.getMPSGraphTensor()] = weightPlaceholder.getMPSGraphTensorData(); auto results = dictionaryFromPlaceholders(outputPlaceholder, totalWeightsPlaceholder); runMPSGraph(stream, cachedGraph->graph(), feeds, results); } return; } static void smooth_l1_loss_impl(const Tensor& input, const Tensor& target, const int64_t reduction, double beta, const Tensor& output, MPSShape* mpsInputShape, MPSShape* mpsOutputShape) { struct CachedGraph : public MPSCachedGraph { CachedGraph(MPSGraph* graph) : MPSCachedGraph(graph) {} MPSGraphTensor* inputTensor_ = nil; MPSGraphTensor* targetTensor_ = nil; MPSGraphTensor* outputTensor_ = nil; }; MPSStream* stream = getCurrentMPSStream(); @autoreleasepool { MPSShape* input_shape = getMPSShape(input); NSString* ns_shape_key = [[input_shape valueForKey:@"description"] componentsJoinedByString:@","]; string key = "smooth_l1_loss_impl:" + reductionToString(reduction) + ":" + [ns_shape_key UTF8String] + ":" + std::to_string(beta) + ":" + getMPSTypeString(input) + ":" + getMPSTypeString(target); auto cachedGraph = LookUpOrCreateCachedGraph<CachedGraph>(key, [&](auto mpsGraph, auto newCachedGraph) { // smooth_l1_loss_mps: // ln = 0.5 * ( xn - yn ) ^ 2 / beta, if |xn - yn| < beta // = | xn - yn | - 0.5 * beta, otherwise MPSGraphTensor* inputTensor = mpsGraphUnrankedPlaceHolder(mpsGraph, getMPSDataType(input)); MPSGraphTensor* targetTensor = mpsGraphUnrankedPlaceHolder(mpsGraph, getMPSDataType(target)); // Setup tensors MPSGraphTensor* mpsGraphHalfTensor = [mpsGraph constantWithScalar:0.5 dataType:inputTensor.dataType]; MPSGraphTensor* betaTensor = [mpsGraph constantWithScalar:beta dataType:inputTensor.dataType]; // 0.5 * beta MPSGraphTensor* halfTensorMulBetaTensor = [mpsGraph constantWithScalar:beta * 0.5 dataType:inputTensor.dataType]; // Calculating first part of the equation: // ln = 0.5(xn - yn)^2/beta, if |xn - yn| < beta // xn - yn MPSGraphTensor* diffTensor = [mpsGraph subtractionWithPrimaryTensor:inputTensor secondaryTensor:targetTensor name:nil]; // | xn - yn | MPSGraphTensor* diffAbsTensor = [mpsGraph absoluteWithTensor:diffTensor name:nil]; // | xn - yn | < beta MPSGraphTensor* diffAbsLessThanBetaTensor = [mpsGraph lessThanWithPrimaryTensor:diffAbsTensor secondaryTensor:betaTensor name:nil]; // ( xn - yn ) ^ 2 MPSGraphTensor* diffSquare = [mpsGraph squareWithTensor:diffTensor name:nil]; // 0.5 * ( xn - yn ) ^ 2 MPSGraphTensor* diffSquareMulHalfTensor = [mpsGraph multiplicationWithPrimaryTensor:diffSquare secondaryTensor:mpsGraphHalfTensor name:nil]; // 0.5 * ( xn - yn ) ^ 2 / beta MPSGraphTensor* loss1Temp = [mpsGraph divisionWithPrimaryTensor:diffSquareMulHalfTensor secondaryTensor:betaTensor name:nil]; // Calculating second part of the equation: // | xn - yn | - 0.5 * beta, if | xn - yn | >= beta // | xn - yn | - 0.5 * beta MPSGraphTensor* loss2Temp = [mpsGraph subtractionWithPrimaryTensor:diffAbsTensor secondaryTensor:halfTensorMulBetaTensor name:nil]; MPSGraphTensor* lossTensor = [mpsGraph selectWithPredicateTensor:diffAbsLessThanBetaTensor truePredicateTensor:loss1Temp falsePredicateTensor:loss2Temp name:@"lossTensor"]; MPSGraphTensor* outputTensor = reduceTensor(lossTensor, reduction, mpsGraph, 1); newCachedGraph->inputTensor_ = inputTensor; newCachedGraph->targetTensor_ = targetTensor; newCachedGraph->outputTensor_ = outputTensor; }); Placeholder inputPlaceholder = Placeholder(cachedGraph->inputTensor_, input, mpsInputShape); Placeholder targetPlaceholder = Placeholder(cachedGraph->targetTensor_, target, mpsInputShape); Placeholder outputPlaceholder = Placeholder(cachedGraph->outputTensor_, output, mpsOutputShape); auto feeds = dictionaryFromPlaceholders(inputPlaceholder, targetPlaceholder); runMPSGraph(stream, cachedGraph->graph(), feeds, outputPlaceholder); } } static void smooth_l1_loss_template(const Tensor& input, const Tensor& target, const int64_t reduction, double beta, const Tensor& output) { TORCH_CHECK(beta >= 0, "smooth_l1_loss does not support negative values for beta."); TORCH_CHECK(input.is_mps()); TORCH_CHECK(target.is_mps()); MPSShape* mpsInputShape = nil; MPSShape* mpsOutputShape = nil; // Determine the shape of the output // If the reduction is 'mean' or 'sum', the output shape is a scalar, // otherwise, the output shape is the same shape as input if (reduction == Reduction::Mean || reduction == Reduction::Sum) { // Output: scalar, if reduction is 'mean' or 'sum' IntArrayRef input_shape = input.sizes(); int64_t num_input_dims = input_shape.size(); NSMutableArray<NSNumber*>* apparent_input_shape = [NSMutableArray<NSNumber*> arrayWithCapacity:1]; int64_t num_in_elements = 1; for (int i = 0; i < num_input_dims; i++) { num_in_elements *= input_shape[i]; } apparent_input_shape[0] = [NSNumber numberWithInt:num_in_elements]; // Output is a single value in case reduction is set to mean or sum NSMutableArray<NSNumber*>* apparent_out_shape = [NSMutableArray<NSNumber*> arrayWithCapacity:1]; apparent_out_shape[0] = @1; mpsInputShape = apparent_input_shape; mpsOutputShape = apparent_out_shape; } else { // Output: If reduction is 'none', then (N, *); same shape as the input assert(reduction == Reduction::None); mpsInputShape = getMPSShape(input); mpsOutputShape = mpsInputShape; // resize_tensor(&output); } TORCH_CHECK(output.is_mps()); smooth_l1_loss_impl(input, target, reduction, beta, output, mpsInputShape, mpsOutputShape); } static void smooth_l1_loss_backward_impl(const Tensor& grad_output, const Tensor& input, const Tensor& target, int64_t reduction, double beta, Tensor& grad_input) { if (grad_input.numel() == 0) { return; } TORCH_CHECK(beta >= 0, "smooth_l1_loss_backward does not support negative values for beta."); struct CachedGraph : public MPSCachedGraph { CachedGraph(MPSGraph* graph) : MPSCachedGraph(graph) {} MPSGraphTensor* inputTensor_ = nil; MPSGraphTensor* targetTensor_ = nil; MPSGraphTensor* gradInputTensor_ = nil; MPSGraphTensor* gradOutputTensor_ = nil; }; @autoreleasepool { string key = "smooth_l1_loss_backward" + getTensorsStringKey({input, grad_output, grad_input, target}) + ":" + reductionToString(reduction) + ":" + std::to_string(beta); auto cachedGraph = LookUpOrCreateCachedGraph<CachedGraph>(key, [&](auto mpsGraph, auto newCachedGraph) { MPSGraphTensor* inputTensor = mpsGraphRankedPlaceHolder(mpsGraph, input); MPSGraphTensor* targetTensor = mpsGraphRankedPlaceHolder(mpsGraph, target); MPSGraphTensor* gradOutputTensor = mpsGraphRankedPlaceHolder(mpsGraph, grad_output); MPSGraphTensor* betaTensor = [mpsGraph constantWithScalar:beta dataType:MPSDataTypeFloat32]; // xn - yn MPSGraphTensor* diffTensor = [mpsGraph subtractionWithPrimaryTensor:inputTensor secondaryTensor:targetTensor name:nil]; // | xn - yn | MPSGraphTensor* diffAbsTensor = [mpsGraph absoluteWithTensor:diffTensor name:nil]; // | xn - yn | < beta MPSGraphTensor* diffAbsLessThanBetaTensor = [mpsGraph lessThanWithPrimaryTensor:diffAbsTensor secondaryTensor:betaTensor name:nil]; // ( xn - yn ) / beta MPSGraphTensor* truePredicateTensor = [mpsGraph divisionWithPrimaryTensor:diffTensor secondaryTensor:betaTensor name:nil]; // ( x - y ) / | x - y | MPSGraphTensor* falsePredicateTensor = [mpsGraph divisionWithPrimaryTensor:diffTensor secondaryTensor:diffAbsTensor name:nil]; MPSGraphTensor* lossTensor = [mpsGraph selectWithPredicateTensor:diffAbsLessThanBetaTensor truePredicateTensor:truePredicateTensor falsePredicateTensor:falsePredicateTensor name:@"lossTensor"]; MPSGraphTensor* outputTensor = lossTensor; if (reduction == Reduction::Mean) { MPSGraphTensor* numelTensor = [mpsGraph constantWithScalar:(double)input.numel() dataType:MPSDataTypeFloat32]; outputTensor = [mpsGraph divisionWithPrimaryTensor:lossTensor secondaryTensor:numelTensor name:nil]; } MPSGraphTensor* gradInputTensor = [mpsGraph multiplicationWithPrimaryTensor:outputTensor secondaryTensor:gradOutputTensor name:nil]; newCachedGraph->inputTensor_ = inputTensor; newCachedGraph->targetTensor_ = targetTensor; newCachedGraph->gradInputTensor_ = gradInputTensor; newCachedGraph->gradOutputTensor_ = gradOutputTensor; }); Placeholder inputPlaceholder = Placeholder(cachedGraph->inputTensor_, input); Placeholder targetPlaceholder = Placeholder(cachedGraph->targetTensor_, target); Placeholder gradInputPlaceholder = Placeholder(cachedGraph->gradInputTensor_, grad_input); Placeholder gradOutputPlaceholder = Placeholder(cachedGraph->gradOutputTensor_, grad_output); auto feeds = dictionaryFromPlaceholders(inputPlaceholder, targetPlaceholder, gradOutputPlaceholder); runMPSGraph(getCurrentMPSStream(), cachedGraph->graph(), feeds, gradInputPlaceholder); } } } // namespace mps // APIs exposed to at::native scope // HuberLoss Tensor& huber_loss_out_mps(const Tensor& input, const Tensor& target, int64_t reduction, double delta, Tensor& output) { string op_name = __func__; using namespace mps; TORCH_CHECK(delta > 0, "huber_loss does not support non-positive values for delta.") TORCH_CHECK(target.is_same_size(input), op_name + ": target and input tensors must have identical shapes") TORCH_CHECK(output.is_mps()); if (reduction == Reduction::None) output.resize_(target.sizes()); if (reduction == Reduction::Sum) output.resize_({}); if (reduction == Reduction::Mean) output.resize_({}); struct CachedGraph : public MPSCachedGraph { CachedGraph(MPSGraph* graph) : MPSCachedGraph(graph) {} MPSGraphTensor* inputTensor_ = nil; MPSGraphTensor* targetTensor_ = nil; MPSGraphTensor* outputTensor_ = nil; }; @autoreleasepool { string key = op_name + ":" + reductionToString(reduction) + ":" + std::to_string(delta) + ":" + getTensorsStringKey({input, target}); auto cachedGraph = LookUpOrCreateCachedGraph<CachedGraph>(key, [&](auto mpsGraph, auto newCachedGraph) { MPSGraphTensor* inputTensor = mpsGraphRankedPlaceHolder(mpsGraph, input); MPSGraphTensor* targetTensor = mpsGraphRankedPlaceHolder(mpsGraph, target); MPSDataType input_type = getMPSScalarType(input.scalar_type()); MPSGraphTensor* deltaTensor = [mpsGraph constantWithScalar:delta shape:@[ @1 ] dataType:input_type]; MPSGraphTensor* halfTensor = [mpsGraph constantWithScalar:.5f shape:@[ @1 ] dataType:input_type]; MPSGraphTensor* diffTensor = [mpsGraph subtractionWithPrimaryTensor:inputTensor secondaryTensor:targetTensor name:nil]; MPSGraphTensor* absDiffTensor = [mpsGraph absoluteWithTensor:diffTensor name:nil]; MPSGraphTensor* firstCondTensor = [mpsGraph multiplicationWithPrimaryTensor:absDiffTensor secondaryTensor:absDiffTensor name:nil]; firstCondTensor = [mpsGraph multiplicationWithPrimaryTensor:firstCondTensor secondaryTensor:halfTensor name:nil]; MPSGraphTensor* secondCondTensor = [mpsGraph multiplicationWithPrimaryTensor:deltaTensor secondaryTensor:halfTensor name:nil]; secondCondTensor = [mpsGraph subtractionWithPrimaryTensor:absDiffTensor secondaryTensor:secondCondTensor name:nil]; secondCondTensor = [mpsGraph multiplicationWithPrimaryTensor:deltaTensor secondaryTensor:secondCondTensor name:nil]; MPSGraphTensor* outputTensor = [mpsGraph selectWithPredicateTensor:[mpsGraph lessThanOrEqualToWithPrimaryTensor:absDiffTensor secondaryTensor:deltaTensor name:nil] truePredicateTensor:firstCondTensor falsePredicateTensor:secondCondTensor name:nil]; newCachedGraph->inputTensor_ = inputTensor; newCachedGraph->targetTensor_ = targetTensor; newCachedGraph->outputTensor_ = reduceTensor(outputTensor, reduction, mpsGraph, input.sizes().size()); }); Placeholder inputPlaceholder = Placeholder(cachedGraph->inputTensor_, input); Placeholder targetPlaceholder = Placeholder(cachedGraph->targetTensor_, target); Placeholder outputPlaceholder = Placeholder(cachedGraph->outputTensor_, output); auto feeds = dictionaryFromPlaceholders(inputPlaceholder, targetPlaceholder); runMPSGraph(getCurrentMPSStream(), cachedGraph->graph(), feeds, outputPlaceholder); } return output; } Tensor huber_loss_mps(const Tensor& input, const Tensor& target, int64_t reduction, double delta) { TORCH_CHECK(delta > 0, "huber_loss does not support non-positive values for delta."); Tensor output = at::empty(input.sizes(), input.scalar_type(), std::nullopt, kMPS, std::nullopt, std::nullopt); return huber_loss_out_mps(input, target, reduction, delta, output); } Tensor& huber_loss_backward_out_mps(const Tensor& grad_output, const Tensor& input, const Tensor& target, int64_t reduction, double delta, Tensor& grad_input) { using namespace mps; auto is_mean_reduction = reduction == Reduction::Mean; auto input_numel = input.numel(); auto new_grad_output = grad_output.contiguous(); struct CachedGraph : public MPSCachedGraph { CachedGraph(MPSGraph* graph) : MPSCachedGraph(graph) {} MPSGraphTensor* gradOutputTensor_ = nil; MPSGraphTensor* inputTensor_ = nil; MPSGraphTensor* targetTensor_ = nil; MPSGraphTensor* outputTensor_ = nil; }; MPSStream* stream = getCurrentMPSStream(); @autoreleasepool { MPSShape* input_shape = getMPSShape(input); NSString* ns_shape_key = [[input_shape valueForKey:@"description"] componentsJoinedByString:@","]; string key = "huber_loss_backward_out_mps:" + reductionToString(reduction) + ":" + std::to_string(delta) + ":" + [ns_shape_key UTF8String] + ":" + getMPSTypeString(input) + ":" + getMPSTypeString(target); auto cachedGraph = LookUpOrCreateCachedGraph<CachedGraph>(key, [&](auto mpsGraph, auto newCachedGraph) { MPSGraphTensor* gradOutputTensor = mpsGraphRankedPlaceHolder(mpsGraph, getMPSDataType(new_grad_output), getMPSShape(new_grad_output)); MPSGraphTensor* inputTensor = mpsGraphRankedPlaceHolder(mpsGraph, getMPSDataType(input), input_shape); MPSGraphTensor* targetTensor = mpsGraphRankedPlaceHolder(mpsGraph, getMPSDataType(target), getMPSShape(target)); MPSGraphTensor* isMeanReductionTensor = [mpsGraph constantWithScalar:is_mean_reduction dataType:MPSDataTypeInt64]; // constant does not support MPSDataTypeBool MPSGraphTensor* inputNumelTensor = [mpsGraph constantWithScalar:input_numel dataType:getMPSDataType(new_grad_output)]; MPSGraphTensor* normGradOutputTensor = [mpsGraph selectWithPredicateTensor:isMeanReductionTensor truePredicateTensor:[mpsGraph divisionWithPrimaryTensor:gradOutputTensor secondaryTensor:inputNumelTensor name:nil] falsePredicateTensor:gradOutputTensor name:nil]; MPSGraphTensor* deltaTensor = [mpsGraph constantWithScalar:delta shape:getMPSShape(target) dataType:getMPSDataType(target)]; MPSGraphTensor* diffTensor = [mpsGraph subtractionWithPrimaryTensor:inputTensor secondaryTensor:targetTensor name:nil]; MPSGraphTensor* normGradOutputDeltaTensor = [mpsGraph multiplicationWithPrimaryTensor:normGradOutputTensor secondaryTensor:deltaTensor name:nil]; // first condition: (input - target) <= -delta // formula: -norm * grad_output * delta MPSGraphTensor* firstCondTensor = [mpsGraph negativeWithTensor:normGradOutputDeltaTensor name:nil]; // second condition: (input - target) >= delta // formula: norm * grad_output * delta MPSGraphTensor* secondCondTensor = normGradOutputDeltaTensor; // third condition: (input - target) within -delta to delta // formula: norm * (input - target) * grad_output MPSGraphTensor* thirdCondTensor = [mpsGraph multiplicationWithPrimaryTensor:normGradOutputTensor secondaryTensor:diffTensor name:nil]; MPSGraphTensor* secondThirdTensor = [mpsGraph selectWithPredicateTensor:[mpsGraph greaterThanOrEqualToWithPrimaryTensor:diffTensor secondaryTensor:deltaTensor name:nil] truePredicateTensor:secondCondTensor falsePredicateTensor:thirdCondTensor name:nil]; MPSGraphTensor* outputTensor = [mpsGraph selectWithPredicateTensor:[mpsGraph lessThanOrEqualToWithPrimaryTensor:diffTensor secondaryTensor:[mpsGraph negativeWithTensor:deltaTensor name:nil] name:nil] truePredicateTensor:firstCondTensor falsePredicateTensor:secondThirdTensor name:nil]; newCachedGraph->gradOutputTensor_ = gradOutputTensor; newCachedGraph->inputTensor_ = inputTensor; newCachedGraph->targetTensor_ = targetTensor; newCachedGraph->outputTensor_ = outputTensor; }); Placeholder gradOutputPlaceholder = Placeholder(cachedGraph->gradOutputTensor_, new_grad_output); Placeholder inputPlaceholder = Placeholder(cachedGraph->inputTensor_, input); Placeholder targetPlaceholder = Placeholder(cachedGraph->targetTensor_, target); Placeholder outputPlaceholder = Placeholder(cachedGraph->outputTensor_, grad_input); auto feeds = dictionaryFromPlaceholders(gradOutputPlaceholder, inputPlaceholder, targetPlaceholder); runMPSGraph(stream, cachedGraph->graph(), feeds, outputPlaceholder); } return grad_input; } // MSELoss TORCH_IMPL_FUNC(mse_loss_out_mps)(const Tensor& input, const Tensor& target, int64_t reduction, const Tensor& output_) { string op_name = __func__; using namespace mps; bool contiguousOutput = !needsGather(output_); Tensor output = output_; if (!contiguousOutput) { output = output_.contiguous(); } TORCH_CHECK(target.is_same_size(input), op_name + ": target and input tensors must have identical shapes") TORCH_CHECK(output.is_mps()); struct CachedGraph : public MPSCachedGraph { CachedGraph(MPSGraph* graph) : MPSCachedGraph(graph) {} MPSGraphTensor* inputTensor = nil; MPSGraphTensor* targetTensor = nil; MPSGraphTensor* outputTensor = nil; }; @autoreleasepool { string key = op_name + reductionToString(reduction) + getTensorsStringKey({input, target}); auto cachedGraph = LookUpOrCreateCachedGraph<CachedGraph>(key, [&](auto mpsGraph, auto newCachedGraph) { newCachedGraph->inputTensor = mpsGraphRankedPlaceHolder(mpsGraph, input); newCachedGraph->targetTensor = mpsGraphRankedPlaceHolder(mpsGraph, target); MPSGraphTensor* diffTensor = [mpsGraph subtractionWithPrimaryTensor:newCachedGraph->inputTensor secondaryTensor:newCachedGraph->targetTensor name:nil]; MPSGraphTensor* diffSquareTensor = [mpsGraph squareWithTensor:diffTensor name:nil]; newCachedGraph->outputTensor = reduceTensor(diffSquareTensor, reduction, mpsGraph, input.sizes().size()); }); Placeholder inputPlaceholder = Placeholder(cachedGraph->inputTensor, input); Placeholder targetPlaceholder = Placeholder(cachedGraph->targetTensor, target); Placeholder outputPlaceholder = Placeholder(cachedGraph->outputTensor, contiguousOutput ? output_ : output); auto feeds = dictionaryFromPlaceholders(inputPlaceholder, targetPlaceholder); runMPSGraph(getCurrentMPSStream(), cachedGraph->graph(), feeds, outputPlaceholder); } if (!contiguousOutput) { output_.copy_(output); } } Tensor& mse_loss_backward_out_mps(const Tensor& grad_output, const Tensor& input, const Tensor& target, int64_t reduction, Tensor& grad_input) { return mps::mse_loss_backward_out_impl(grad_output, input, target, reduction, grad_input, __func__); } Tensor mse_loss_backward_mps(const Tensor& grad_output, const Tensor& input, const Tensor& target, int64_t reduction) { Tensor grad_input = at::zeros_like(input, LEGACY_CONTIGUOUS_MEMORY_FORMAT); return mps::mse_loss_backward_out_impl(grad_output, input, target, reduction, grad_input, __func__); } // BCELoss Tensor& binary_cross_entropy_out_mps(const Tensor& input, const Tensor& target, const std::optional<Tensor>& weight_opt, int64_t reduction, Tensor& loss) { return mps::BCELoss::bce_loss_out_impl(input, target, weight_opt, reduction, loss, std::nullopt, __func__); } Tensor binary_cross_entropy_mps(const Tensor& input, const Tensor& target, const std::optional<Tensor>& weight_opt, int64_t reduction) { Tensor loss = at::empty_like(input); return mps::BCELoss::bce_loss_out_impl(input, target, weight_opt, reduction, loss, std::nullopt, __func__); } Tensor& binary_cross_entropy_backward_out_mps(const Tensor& grad_output, const Tensor& input, const Tensor& target, const std::optional<Tensor>& weight_opt, int64_t reduction, Tensor& grad_input) { return mps::BCELoss::bce_loss_out_impl(input, target, weight_opt, reduction, grad_input, grad_output, __func__); } Tensor binary_cross_entropy_backward_mps(const Tensor& grad_output, const Tensor& input, const Tensor& target, const std::optional<Tensor>& weight_opt, int64_t reduction) { Tensor grad_input = at::empty_like(input); return mps::BCELoss::bce_loss_out_impl(input, target, weight_opt, reduction, grad_input, grad_output, __func__); } // SmoothL1Loss TORCH_IMPL_FUNC(smooth_l1_loss_out_mps) (const Tensor& input, const Tensor& target, int64_t reduction, double beta, const Tensor& result) { mps::smooth_l1_loss_template(input, target, reduction, beta, result); } Tensor& smooth_l1_loss_backward_out_mps(const Tensor& grad_output, const Tensor& input, const Tensor& target, int64_t reduction, double beta, Tensor& grad_input) { mps::smooth_l1_loss_backward_impl(grad_output, input, target, reduction, beta, grad_input); return grad_input; } // NLLLoss TORCH_IMPL_FUNC(nll_loss_backward_out_mps) (const Tensor& grad_output, const Tensor& self, const Tensor& target, OptionalTensorRef weight_opt, int64_t reduction, int64_t ignore_index, const Tensor& total_weight, const Tensor& grad_input) { const Tensor& weight = weight_opt.getTensorRef(); mps::nllnd_loss_backward_impl( (Tensor&)grad_input, grad_output, self, target, weight, reduction, ignore_index, total_weight, false); return; } TORCH_IMPL_FUNC(nll_loss_forward_out_mps) (const Tensor& self, const Tensor& target, const OptionalTensorRef weight_opt, int64_t reduction, int64_t ignore_index, const Tensor& output, const Tensor& total_weight) { const Tensor& weight = weight_opt.getTensorRef(); mps::nllnd_loss_forward_impl( (Tensor&)output, (Tensor&)total_weight, self, target, weight, reduction, ignore_index, false); return; } inline void check_inputs_nll_loss2d(const Tensor& input, const Tensor& target, const Tensor& weight) { TORCH_CHECK(target.dim() == 3, "only batches of spatial targets supported (3D tensors)" " but got targets of dimension: ", target.dim()); TORCH_CHECK(input.dim() == 4, "only batches of spatial inputs supported (4D tensors), " "but got input of dimension: ", input.dim()); TORCH_CHECK(!weight.defined() || weight.numel() == input.size(1), "weight tensor should be defined either for all or no classes"); const int64_t input0 = input.size(0); const int64_t input2 = input.size(2); const int64_t input3 = input.size(3); const int64_t target0 = target.size(0); const int64_t target1 = target.size(1); const int64_t target2 = target.size(2); TORCH_CHECK(input0 == target0 && input2 == target1 && input3 == target2, "size mismatch (got input: ", input.sizes(), " , target: ", target.sizes()); } static void nll_loss2d_forward_out_mps_template(Tensor& output, Tensor& total_weight, const Tensor& input, const Tensor& target, const Tensor& weight, int64_t reduction, int64_t ignore_index) { check_inputs_nll_loss2d(input, target, weight); total_weight.resize_({}); mps::nllnd_loss_forward_impl(output, total_weight, input, target, weight, reduction, ignore_index, true); return; } std::tuple<Tensor&, Tensor&> nll_loss2d_forward_out_mps(const Tensor& self, const Tensor& target, const std::optional<Tensor>& weight_opt, int64_t reduction, int64_t ignore_index, Tensor& output, Tensor& total_weight) { // See [Note: hacky wrapper removal for optional tensor] c10::MaybeOwned<Tensor> weight_maybe_owned = at::borrow_from_optional_tensor(weight_opt); const Tensor& weight = *weight_maybe_owned; nll_loss2d_forward_out_mps_template(output, total_weight, self, target, weight, reduction, ignore_index); return std::tuple<Tensor&, Tensor&>(output, total_weight); } std::tuple<Tensor, Tensor> nll_loss2d_forward_mps(const Tensor& self, const Tensor& target, const std::optional<Tensor>& weight_opt, int64_t reduction, int64_t ignore_index) { // See [Note: hacky wrapper removal for optional tensor] c10::MaybeOwned<Tensor> weight_maybe_owned = at::borrow_from_optional_tensor(weight_opt); const Tensor& weight = *weight_maybe_owned; auto output = at::empty({0}, self.options()); auto total_weight = at::empty({0}, self.options()); at::native::nll_loss2d_forward_out_mps(self, target, weight, reduction, ignore_index, output, total_weight); return std::make_tuple(output, total_weight); } static void nll_loss2d_backward_out_mps_template(Tensor& grad_input, const Tensor& grad_output, const Tensor& input, const Tensor& target, const Tensor& weight, int64_t reduction, int64_t ignore_index, const Tensor& total_weight) { check_inputs_nll_loss2d(input, target, weight); grad_input.resize_as_(input); grad_input.zero_(); TORCH_CHECK(grad_input.is_contiguous(), "grad_input must be contiguous"); TORCH_CHECK(total_weight.numel() == 1, "expected total_weight to be a single element tensor, got: ", total_weight.sizes(), " (", total_weight.numel(), " elements)"); mps::nllnd_loss_backward_impl( grad_input, grad_output, input, target, weight, reduction, ignore_index, total_weight, true); return; } Tensor& nll_loss2d_backward_out_mps(const Tensor& grad_output, const Tensor& self, const Tensor& target, const std::optional<Tensor>& weight_opt, int64_t reduction, int64_t ignore_index, const Tensor& total_weight, Tensor& grad_input) { // See [Note: hacky wrapper removal for optional tensor] c10::MaybeOwned<Tensor> weight_maybe_owned = at::borrow_from_optional_tensor(weight_opt); const Tensor& weight = *weight_maybe_owned; nll_loss2d_backward_out_mps_template( grad_input, grad_output, self, target, weight, reduction, ignore_index, total_weight); return grad_input; } Tensor nll_loss2d_backward_mps(const Tensor& grad_output, const Tensor& self, const Tensor& target, const std::optional<Tensor>& weight_opt, int64_t reduction, int64_t ignore_index, const Tensor& total_weight) { // See [Note: hacky wrapper removal for optional tensor] c10::MaybeOwned<Tensor> weight_maybe_owned = at::borrow_from_optional_tensor(weight_opt); const Tensor& weight = *weight_maybe_owned; auto grad_input = at::zeros_like(self); nll_loss2d_backward_out_mps(grad_output, self, target, weight, reduction, ignore_index, total_weight, grad_input); return grad_input; } } // namespace at::native ```
/content/code_sandbox/aten/src/ATen/native/mps/operations/LossOps.mm
xml
2016-08-13T05:26:41
2024-08-16T19:59:14
pytorch
pytorch/pytorch
81,372
13,331
```xml // types/foo/index.d.ts export default Directions; declare enum Directions { Up, Down, Left, Right } ```
/content/code_sandbox/examples/declaration-files/20-export-default-enum/types/foo/index.d.ts
xml
2016-05-11T03:02:41
2024-08-16T12:59:57
typescript-tutorial
xcatliu/typescript-tutorial
10,361
29
```xml import { mergeClasses } from '@griffel/react'; import { useCheckmarkStyles_unstable } from '../../selectable/index'; import { useMenuItemStyles_unstable } from '../MenuItem/useMenuItemStyles.styles'; import type { SlotClassNames } from '@fluentui/react-utilities'; import type { MenuItemSlots } from '../index'; import type { MenuItemRadioState } from './MenuItemRadio.types'; export const menuItemRadioClassNames: SlotClassNames<Omit<MenuItemSlots, 'submenuIndicator'>> = { root: 'fui-MenuItemRadio', icon: 'fui-MenuItemRadio__icon', checkmark: 'fui-MenuItemRadio__checkmark', content: 'fui-MenuItemRadio__content', secondaryContent: 'fui-MenuItemRadio__secondaryContent', }; export const useMenuItemRadioStyles_unstable = (state: MenuItemRadioState) => { 'use no memo'; state.root.className = mergeClasses(menuItemRadioClassNames.root, state.root.className); if (state.content) { state.content.className = mergeClasses(menuItemRadioClassNames.content, state.content.className); } if (state.secondaryContent) { state.secondaryContent.className = mergeClasses( menuItemRadioClassNames.secondaryContent, state.secondaryContent.className, ); } if (state.icon) { state.icon.className = mergeClasses(menuItemRadioClassNames.icon, state.icon.className); } if (state.checkmark) { state.checkmark.className = mergeClasses(menuItemRadioClassNames.checkmark, state.checkmark.className); } useMenuItemStyles_unstable(state); useCheckmarkStyles_unstable(state); }; ```
/content/code_sandbox/packages/react-components/react-menu/library/src/components/MenuItemRadio/useMenuItemRadioStyles.styles.ts
xml
2016-06-06T15:03:44
2024-08-16T18:49:29
fluentui
microsoft/fluentui
18,221
349
```xml import { gql } from '@apollo/client'; import * as compose from 'lodash.flowright'; import { graphql } from '@apollo/client/react/hoc'; import { Alert, confirm, withProps } from '@erxes/ui/src/utils'; import SideBar from '../components/SideBar'; import { EditTypeMutationResponse, RemoveTypeMutationResponse, TypeQueryResponse } from '../types'; import { mutations, queries } from '../graphql'; import React from 'react'; import { IButtonMutateProps } from '@erxes/ui/src/types'; import ButtonMutate from '@erxes/ui/src/components/ButtonMutate'; import Spinner from '@erxes/ui/src/components/Spinner'; type Props = { history: any; currentTypeId?: string; }; type FinalProps = { list{Name}TypeQuery: TypeQueryResponse; } & Props & RemoveTypeMutationResponse & EditTypeMutationResponse; const TypesListContainer = (props: FinalProps) => { const { list{Name}TypeQuery, typesEdit, typesRemove, history } = props; if (list{Name}TypeQuery.loading) { return <Spinner />; } // calls gql mutation for edit/add type const renderButton = ({ passedName, values, isSubmitted, callback, object }: IButtonMutateProps) => { return ( <ButtonMutate mutation={object ? mutations.editType : mutations.addType} variables={values} callback={callback} isSubmitted={isSubmitted} type="submit" successMessage={`You successfully ${ object ? 'updated' : 'added' } a ${passedName}`} refetchQueries={['list{Name}TypeQuery']} /> ); }; const remove = type => { confirm('You are about to delete the item. Are you sure? ') .then(() => { typesRemove({ variables: { _id: type._id } }) .then(() => { Alert.success('Successfully deleted an item'); }) .catch(e => Alert.error(e.message)); }) .catch(e => Alert.error(e.message)); }; const updatedProps = { ...props, types: list{Name}TypeQuery.{name}Types || [], loading: list{Name}TypeQuery.loading, remove, renderButton }; return <SideBar {...updatedProps} />; }; export default withProps<Props>( compose( graphql(gql(queries.list{Name}Types), { name: 'list{Name}TypeQuery', options: () => ({ fetchPolicy: 'network-only' }) }), graphql(gql(mutations.removeType), { name: 'typesRemove', options: () => ({ refetchQueries: ['list{Name}TypeQuery'] }) }) )(TypesListContainer) ); ```
/content/code_sandbox/packages/template.plugin.ui/source-default/containers/SideBarList.tsx
xml
2016-11-11T06:54:50
2024-08-16T10:26:06
erxes
erxes/erxes
3,479
603
```xml export interface ModuleConfiguration { /** * Name of the module from `package.json`. */ npmModuleName: string; /** * Name of the pod for this module, used by the CocoaPods iOS package manager. */ podName: string; /** * The Android library's package name. */ javaPackage: string; /** * Name of the JavaScript package. */ jsPackageName: string; /** * Indicates whether the module has a native ViewManager. */ viewManager: boolean; } ```
/content/code_sandbox/tools/src/generate-module/ModuleConfiguration.ts
xml
2016-08-15T17:14:25
2024-08-16T19:54:44
expo
expo/expo
32,004
117
```xml import * as React from 'react'; import { format as formatDate, fromUnixTime } from 'date-fns'; import { dateLocale } from '@proton/shared/lib/i18n'; interface Props extends React.HTMLAttributes<HTMLTimeElement> { value: number; format?: string; } const DateTimeLEGACY = ({ value, format = 'PPp', ...rest }: Props) => { return <time {...rest}>{formatDate(fromUnixTime(value), format, { locale: dateLocale })}</time>; }; export default DateTimeLEGACY; ```
/content/code_sandbox/packages/drive-store/components/modals/ShareLinkModal/_legacy/DateTimeLEGACY.tsx
xml
2016-06-08T11:16:51
2024-08-16T14:14:27
WebClients
ProtonMail/WebClients
4,300
115
```xml <run> <desc> path_to_url </desc> <tolerance>.01</tolerance> <case> <desc> path_to_url Throws TopologyException </desc> <a> your_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashyour_sha256_hashF45262401F6BA1BF2B9D42C02CAFD096E0526240000000E04F9D42C0 </a> <test> <op name="isValid" arg1="A">true</op> </test> <test> <op name="unionLength" arg1="A"> 0.2973 </op> </test> </case> </run> ```
/content/code_sandbox/modules/tests/src/test/resources/testxml/robust/overlay/TestOverlay-geos-392.xml
xml
2016-01-25T18:08:41
2024-08-15T17:34:53
jts
locationtech/jts
1,923
2,576
```xml import { Entity, OneToMany } from "../../../../src" import { PrimaryGeneratedColumn } from "../../../../src" import { GroupEntity } from "./GroupEntity" @Entity() export class UserEntity { @PrimaryGeneratedColumn() id: number @OneToMany("GroupEntity", "user") group: GroupEntity } ```
/content/code_sandbox/test/github-issues/9189/entity/UserEntity.ts
xml
2016-02-29T07:41:14
2024-08-16T18:28:52
typeorm
typeorm/typeorm
33,875
67
```xml // See LICENSE.txt for license information. import {withDatabase, withObservables} from '@nozbe/watermelondb/react'; import {observeIsPostAcknowledgementsEnabled, observePersistentNotificationsEnabled} from '@queries/servers/post'; import {observeConfigIntValue} from '../../queries/servers/system'; import PostPriorityPicker from './post_priority_picker'; import type {Database} from '@nozbe/watermelondb'; const enhanced = withObservables([], ({database}: {database: Database}) => { const persistentNotificationInterval = observeConfigIntValue(database, 'PersistentNotificationIntervalMinutes'); return { isPostAcknowledgementEnabled: observeIsPostAcknowledgementsEnabled(database), isPersistenNotificationsEnabled: observePersistentNotificationsEnabled(database), persistentNotificationInterval, }; }); export default withDatabase(enhanced(PostPriorityPicker)); ```
/content/code_sandbox/app/screens/post_priority_picker/index.ts
xml
2016-10-07T16:52:32
2024-08-16T12:08:38
mattermost-mobile
mattermost/mattermost-mobile
2,155
174
```xml export { default } from './Engines'; ```
/content/code_sandbox/packages/ui-components/src/components/Engines/index.ts
xml
2016-04-15T16:21:12
2024-08-16T09:38:01
verdaccio
verdaccio/verdaccio
16,189
10
```xml <?xml version="1.0" encoding="utf-8"?> <set xmlns:android="path_to_url" android:ordering="sequentially"> <objectAnimator android:propertyName="rotation" android:valueFrom="0" android:valueTo="-29" android:duration="60" android:interpolator="@android:anim/decelerate_interpolator"/> <objectAnimator android:propertyName="rotation" android:valueFrom="-29" android:valueTo="0" android:duration="220" android:interpolator="@android:anim/accelerate_interpolator"/> </set> ```
/content/code_sandbox/app/src/main/res/animator/scissor_right.xml
xml
2016-07-02T10:44:04
2024-08-16T18:55:54
StreetComplete
streetcomplete/StreetComplete
3,781
132
```xml <?xml version="1.0" encoding="UTF-8"?> <xliff version="1.2" xmlns="urn:oasis:names:tc:xliff:document:1.2"> <file target-language="ka-ge" source-language="en-us" original="lit-localize-inputs" datatype="plaintext"> <body> <trans-unit id="components.textField.patternError"> <source>Please match the requested format.</source> <target>, .</target> </trans-unit> <trans-unit id="functions.alert.confirmText"> <source>OK</source> <target></target> </trans-unit> <trans-unit id="functions.confirm.confirmText"> <source>OK</source> <target></target> </trans-unit> <trans-unit id="functions.confirm.cancelText"> <source>Cancel</source> <target></target> </trans-unit> <trans-unit id="functions.prompt.confirmText"> <source>OK</source> <target></target> </trans-unit> <trans-unit id="functions.prompt.cancelText"> <source>Cancel</source> <target></target> </trans-unit> </body> </file> </xliff> ```
/content/code_sandbox/packages/mdui/src/xliff/ka-ge.xlf
xml
2016-07-11T17:39:02
2024-08-16T07:12:34
mdui
zdhxiong/mdui
4,077
256
```xml <resources> <string name="app_name">Visual Polish</string> <!-- Activity names --> <string name="color_font_name">Colors and Fonts</string> <string name="style_name">Styles and Themes</string> <string name="responsive_layout_name">Responsive Layouts</string> <string name="touch_selectors_name">Touch Selectors</string> <!-- Strings for use in the colors and fonts activity --> <string name="light_56">Light 56sp</string> <string name="thin_italic_45">Thin Italic 45sp</string> <string name="condensed_34">Condensed 34sp</string> <string name="reg_24">Regular 24sp</string> <string name="medium_20">Medium 20sp</string> <!-- Strings used in the style activity --> <string name="inbox">Inbox</string> <string name="starred">Starred</string> <string name="drafts">Drafts</string> <string name="sent">Sent</string> <string name="trash">Trash</string> <!-- Strings used in the responsive layout activity --> <string name="image_placeholder">Image placeholder.</string> <string name="sample_title">Material Design</string> <string name="sample_date">November, 2016</string> <string name="sample_body_text">Responsive design is the act of creating designs that respond to a variety of screen sizes, shapes, and orientations.</string> <!-- Strings used in the touch selectors activity --> <string name="person_icon">Icon of a person.</string> <string name="first">First_name</string> <string name="last">Last_name</string> </resources> ```
/content/code_sandbox/Lesson12-Visual-Polish/T12.01-Exercise-ColorsAndFonts/app/src/main/res/values/strings.xml
xml
2016-11-02T04:41:25
2024-08-12T19:38:05
ud851-Exercises
udacity/ud851-Exercises
2,039
388
```xml import {BindingApi} from '../../../blade/binding/api/binding.js'; import {MonitorBindingApi} from '../../../blade/binding/api/monitor-binding.js'; import {MonitorBindingController} from '../../../blade/binding/controller/monitor-binding.js'; import {TpBuffer} from '../../../common/model/buffered-value.js'; import {GraphLogController} from '../controller/graph-log.js'; export class GraphLogMonitorBindingApi extends BindingApi< TpBuffer<number>, number, MonitorBindingController<number, GraphLogController> > implements MonitorBindingApi<number> { get max(): number { return this.controller.valueController.props.get('max'); } set max(max: number) { this.controller.valueController.props.set('max', max); } get min(): number { return this.controller.valueController.props.get('min'); } set min(min: number) { this.controller.valueController.props.set('min', min); } } ```
/content/code_sandbox/packages/core/src/monitor-binding/number/api/graph-log.ts
xml
2016-05-10T15:45:13
2024-08-16T19:57:27
tweakpane
cocopon/tweakpane
3,480
200
```xml export enum CodeTransformationStage { PreparingTransformers = 'PreparingTransformers', FinalizingTransformers = 'FinalizingTransformers', } ```
/content/code_sandbox/src/enums/code-transformers/CodeTransformationStage.ts
xml
2016-05-09T08:16:53
2024-08-16T19:43:07
javascript-obfuscator
javascript-obfuscator/javascript-obfuscator
13,358
31
```xml /* * * See the LICENSE file at the top-level directory of this distribution * for licensing information. * * Unless otherwise agreed in a custom licensing agreement with the Lisk Foundation, * no part of this software, including this file, may be copied, modified, * propagated, or distributed except according to the terms contained in the * LICENSE file. * * Removal or modification of this copyright notice is prohibited. * */ import * as fs from 'fs-extra'; import { ed } from '@liskhq/lisk-cryptography'; import { Application, Controller, transactionSchema } from 'lisk-framework'; import * as apiClient from '@liskhq/lisk-api-client'; import { codec } from '@liskhq/lisk-codec'; import { TransactionAttrs } from '@liskhq/lisk-chain'; import { tokenTransferParamsSchema, chainIDStr, multisigRegMsgSchema, registerMultisignatureParamsSchema, } from '../../../helpers/transactions'; import * as appUtils from '../../../../src/utils/application'; import * as readerUtils from '../../../../src/utils/reader'; import { SignCommand } from '../../../../src/bootstrapping/commands/transaction/sign'; import { getConfig } from '../../../helpers/config'; import { legacyAccounts, modernAccounts } from '../../../helpers/account'; import { createIPCClientMock, mockCommands, mockEncodedTransaction, mockJSONTransaction, } from '../../../helpers/mocks'; import { Awaited } from '../../../types'; describe('transaction:sign command', () => { const senderPassphrase = legacyAccounts.targetAccount.passphrase; const mandatoryPassphrases = [ legacyAccounts.mandatoryOne.passphrase, legacyAccounts.mandatoryTwo.passphrase, ]; const optionalPassphrases = [ legacyAccounts.optionalOne.passphrase, legacyAccounts.optionalTwo.passphrase, ]; const mandatoryKeys = [ legacyAccounts.mandatoryOne.publicKey.toString('hex'), legacyAccounts.mandatoryTwo.publicKey.toString('hex'), ]; const optionalKeys = [ legacyAccounts.optionalOne.publicKey.toString('hex'), legacyAccounts.optionalTwo.publicKey.toString('hex'), ]; const signMultiSigCmdArgs = (unsignedTransaction: string, passphraseToSign: string): string[] => { return [ unsignedTransaction, `--passphrase=${passphraseToSign}`, `--mandatory-keys=${mandatoryKeys[0]}`, `--mandatory-keys=${mandatoryKeys[1]}`, `--optional-keys=${optionalKeys[0]}`, `--optional-keys=${optionalKeys[1]}`, `--chain-id=${chainIDStr}`, '--offline', ]; }; const signMultiSigCmdArgsJSON = (unsignedTransaction: string, passphrase: string): string[] => [ ...signMultiSigCmdArgs(unsignedTransaction, passphrase), '--json', ]; let stdout: string[]; let stderr: string[]; let config: Awaited<ReturnType<typeof getConfig>>; // In order to test the command we need to extended the base crete command and provide application implementation class SignCommandExtended extends SignCommand { getApplication = () => { const { app } = Application.defaultApplication({ genesis: { chainID: '00000000' } }); return app; }; } beforeEach(async () => { stdout = []; stderr = []; config = await getConfig(); jest.spyOn(process.stdout, 'write').mockImplementation(val => stdout.push(val as string) > -1); jest.spyOn(process.stderr, 'write').mockImplementation(val => stderr.push(val as string) > -1); jest.spyOn(appUtils, 'isApplicationRunning').mockReturnValue(true); jest.spyOn(fs, 'existsSync').mockReturnValue(true); jest.spyOn(SignCommandExtended.prototype, 'printJSON').mockReturnValue(); jest.spyOn(Controller.IPCChannel.prototype, 'startAndListen').mockResolvedValue(); jest.spyOn(Controller.IPCChannel.prototype, 'invoke'); jest.spyOn(readerUtils, 'getPassphraseFromPrompt').mockResolvedValue(senderPassphrase); jest .spyOn(apiClient, 'createIPCClient') .mockResolvedValue( createIPCClientMock(mockJSONTransaction, mockEncodedTransaction, mockCommands) as never, ); }); describe('Missing arguments', () => { it('should throw an error when missing transaction argument.', async () => { await expect(SignCommandExtended.run([], config)).rejects.toThrow('Missing 1 required arg:'); }); }); describe('offline', () => { const tx = { ...mockJSONTransaction, params: codec .encodeJSON(tokenTransferParamsSchema, (mockJSONTransaction as any).params) .toString('hex'), signatures: [], }; const unsignedTransaction = codec.encodeJSON(transactionSchema, tx).toString('hex'); describe('data path flag', () => { it('should throw an error when data path flag specified.', async () => { await expect( SignCommandExtended.run( [ unsignedTransaction, `--passphrase=${senderPassphrase}`, `--chain-id=${chainIDStr}`, '--offline', '--data-path=/tmp', ], config, ), ).rejects.toThrow('--data-path=/tmp cannot also be provided when using --offline'); }); }); describe('missing network identifier flag', () => { it('should throw an error when missing network identifier flag.', async () => { await expect( SignCommandExtended.run( [unsignedTransaction, `--passphrase=${senderPassphrase}`, '--offline'], config, ), ).rejects.toThrow('All of the following must be provided when using --offline: --chain-id'); }); }); describe('sign transaction from single account', () => { it('should return signed transaction string in hex format', async () => { await SignCommandExtended.run( [ unsignedTransaction, `--passphrase=${senderPassphrase}`, `--chain-id=${chainIDStr}`, '--offline', ], config, ); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledTimes(1); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: expect.any(String), }); }); it('should return signed transaction in json format', async () => { await SignCommandExtended.run( [ unsignedTransaction, `--passphrase=${senderPassphrase}`, `--chain-id=${chainIDStr}`, '--json', '--offline', ], config, ); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledTimes(2); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: expect.any(String), }); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: { id: expect.any(String), params: { tokenID: '0000000000000000', amount: '100', data: 'send token', recipientAddress: 'lskqozpc4ftffaompmqwzd93dfj89g5uezqwhosg9', }, command: 'transfer', fee: '100000000', module: 'token', nonce: '0', senderPublicKey: your_sha256_hash, signatures: [expect.any(String)], }, }); }); }); describe('sign multi signature registration transaction', () => { const messageForRegistration = { address: legacyAccounts.targetAccount.address, nonce: BigInt(2), numberOfSignatures: 4, mandatoryKeys: [ legacyAccounts.mandatoryOne.publicKey, legacyAccounts.mandatoryTwo.publicKey, ].sort((k1, k2) => k1.compare(k2)), optionalKeys: [ legacyAccounts.optionalOne.publicKey, legacyAccounts.optionalTwo.publicKey, ].sort((k1, k2) => k1.compare(k2)), }; const messageBytes = codec.encode(multisigRegMsgSchema, messageForRegistration); const MESSAGE_TAG_MULTISIG_REG = 'LSK_RMSG_'; const networkIdentifier = Buffer.from(chainIDStr, 'hex'); const decodedParams = { numberOfSignatures: messageForRegistration.numberOfSignatures, mandatoryKeys: messageForRegistration.mandatoryKeys, optionalKeys: messageForRegistration.optionalKeys, signatures: [] as Buffer[], }; const sign1 = ed.signData( MESSAGE_TAG_MULTISIG_REG, networkIdentifier, messageBytes, legacyAccounts.mandatoryTwo.privateKey, ); decodedParams.signatures.push(sign1); const sign2 = ed.signData( MESSAGE_TAG_MULTISIG_REG, networkIdentifier, messageBytes, legacyAccounts.mandatoryOne.privateKey, ); decodedParams.signatures.push(sign2); const sign3 = ed.signData( MESSAGE_TAG_MULTISIG_REG, networkIdentifier, messageBytes, legacyAccounts.optionalOne.privateKey, ); decodedParams.signatures.push(sign3); const sign4 = ed.signData( MESSAGE_TAG_MULTISIG_REG, networkIdentifier, messageBytes, legacyAccounts.optionalTwo.privateKey, ); decodedParams.signatures.push(sign4); const msTx = { module: 'auth', command: 'registerMultisignature', nonce: BigInt('2'), fee: BigInt('1500000000'), senderPublicKey: legacyAccounts.targetAccount.publicKey, params: codec.encode(registerMultisignatureParamsSchema, decodedParams), signatures: [], }; const unsignedMultiSigTransaction = codec.encode(transactionSchema, msTx); const TAG_TRANSACTION = 'LSK_TX_'; const signatureSender = ed.signDataWithPrivateKey( TAG_TRANSACTION, networkIdentifier, unsignedMultiSigTransaction, legacyAccounts.targetAccount.privateKey, ); const signedTransaction = codec.encode(transactionSchema, { ...msTx, signatures: [signatureSender], }); it('should return signed transaction for sender account', async () => { await SignCommandExtended.run( [ unsignedMultiSigTransaction.toString('hex'), `--passphrase=${legacyAccounts.targetAccount.passphrase}`, `--chain-id=${chainIDStr}`, '--offline', '--key-derivation-path=legacy', ], config, ); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledTimes(1); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: signedTransaction.toString('hex'), }); }); it('should return fully signed transaction string in hex format', async () => { await SignCommandExtended.run( [ unsignedMultiSigTransaction.toString('hex'), `--passphrase=${legacyAccounts.targetAccount.passphrase}`, `--chain-id=${chainIDStr}`, '--offline', '--json', '--key-derivation-path=legacy', ], config, ); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledTimes(2); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: signedTransaction.toString('hex'), }); }); it('should return a signed transaction when using accounts with modern key path derivation', async () => { const params = { numberOfSignatures: 3, mandatoryKeys: [modernAccounts[0].publicKey, modernAccounts[1].publicKey].sort( (key1, key2) => key1.compare(key2), ), optionalKeys: [modernAccounts[2].publicKey], signatures: [] as Buffer[], }; const message = { address: modernAccounts[0].address, nonce: BigInt(3), numberOfSignatures: params.numberOfSignatures, mandatoryKeys: params.mandatoryKeys, optionalKeys: params.optionalKeys, }; const messageEncoded = codec.encode(multisigRegMsgSchema, message); for (let i = 0; i < params.numberOfSignatures; i += 1) { const messageSignature = ed.signData( MESSAGE_TAG_MULTISIG_REG, networkIdentifier, messageEncoded, modernAccounts[i].privateKey, ); params.signatures.push(messageSignature); } const rawTx = { module: 'auth', command: 'registerMultisignature', nonce: BigInt(3), fee: BigInt('1000000000'), senderPublicKey: modernAccounts[0].publicKey, params: codec.encode(registerMultisignatureParamsSchema, params), signatures: [] as Buffer[], }; const unsignedTx = codec.encode(transactionSchema, rawTx); const txSignature = ed.signDataWithPrivateKey( TAG_TRANSACTION, networkIdentifier, unsignedTx, modernAccounts[0].privateKey, ); rawTx.signatures = [txSignature]; const signedTx = codec.encode(transactionSchema, rawTx); await SignCommandExtended.run( [ unsignedTx.toString('hex'), `--passphrase=${modernAccounts[0].passphrase}`, `--chain-id=${chainIDStr}`, '--offline', ], config, ); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledTimes(1); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: signedTx.toString('hex'), }); }); }); describe('sign transaction from multi-signature accounts', () => { const baseTX = { module: 'token', command: 'transfer', nonce: '2', fee: '100000000', senderPublicKey: your_sha256_hash, params: codec .encodeJSON(tokenTransferParamsSchema, (mockJSONTransaction as any).params) .toString('hex'), signatures: [], }; const unsignedMultiSigTransaction = codec .encodeJSON(transactionSchema, baseTX) .toString('hex'); const sign1 = codec .encodeJSON(transactionSchema, { ...baseTX, signatures: [ '', your_sha256_hashyour_sha256_hash, '', '', ], }) .toString('hex'); const sign2 = codec .encodeJSON(transactionSchema, { ...baseTX, signatures: [ your_sha256_hashyour_sha256_hash, '', '', ], }) .toString('hex'); const sign3 = codec .encodeJSON(transactionSchema, { ...baseTX, signatures: [ '', '', '', your_sha256_hashyour_sha256_hash, ], }) .toString('hex'); describe('mandatory keys are specified', () => { it('should return signed transaction for mandatory account 1', async () => { await SignCommandExtended.run( signMultiSigCmdArgs(unsignedMultiSigTransaction, mandatoryPassphrases[0]), config, ); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledTimes(1); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: expect.any(String), }); }); it('should return signed transaction for mandatory account 2', async () => { await SignCommandExtended.run( signMultiSigCmdArgs(sign1, mandatoryPassphrases[1]), config, ); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledTimes(1); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: expect.any(String), }); }); }); describe('optional keys are specified', () => { it('should return signed transaction for optional account 1', async () => { await SignCommandExtended.run(signMultiSigCmdArgs(sign2, optionalPassphrases[0]), config); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledTimes(1); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: expect.any(String), }); }); it('should return signed transaction for optional account 2', async () => { await SignCommandExtended.run(signMultiSigCmdArgs(sign3, optionalPassphrases[1]), config); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledTimes(1); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: expect.any(String), }); }); it('should return fully signed transaction string in hex format', async () => { await SignCommandExtended.run( signMultiSigCmdArgsJSON(sign3, optionalPassphrases[1]), config, ); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledTimes(2); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: expect.any(String), }); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: { id: expect.any(String), params: { tokenID: '0000000000000000', amount: '100', data: 'send token', recipientAddress: 'lskqozpc4ftffaompmqwzd93dfj89g5uezqwhosg9', }, command: 'transfer', fee: '100000000', module: 'token', nonce: '2', senderPublicKey: your_sha256_hash, signatures: [ expect.any(String), expect.any(String), expect.any(String), expect.any(String), ], }, }); }); }); }); }); describe('online', () => { describe('sign transaction from single account', () => { const tx = { ...mockJSONTransaction, params: codec .encodeJSON(tokenTransferParamsSchema, (mockJSONTransaction as any).params) .toString('hex'), signatures: [], }; const unsignedTransaction = codec.encodeJSON(transactionSchema, tx).toString('hex'); it('should return signed transaction string in hex format', async () => { await SignCommandExtended.run( [unsignedTransaction, `--passphrase=${senderPassphrase}`], config, ); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledTimes(1); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: mockEncodedTransaction.toString('hex'), }); }); it('should return signed transaction in json format', async () => { await SignCommandExtended.run( [unsignedTransaction, `--passphrase=${senderPassphrase}`, '--json'], config, ); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledTimes(2); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: '656e636f646564207472616e73616374696f6e', }); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: mockJSONTransaction, }); }); }); // TODO: To be fixed after path_to_url // eslint-disable-next-line jest/no-disabled-tests describe('sign multi signature registration transaction', () => { const messageForRegistration = { address: legacyAccounts.targetAccount.publicKey, nonce: BigInt(2), numberOfSignatures: 4, mandatoryKeys: [ legacyAccounts.mandatoryOne.publicKey, legacyAccounts.mandatoryTwo.publicKey, ].sort((k1, k2) => k1.compare(k2)), optionalKeys: [ legacyAccounts.optionalOne.publicKey, legacyAccounts.optionalTwo.publicKey, ].sort((k1, k2) => k1.compare(k2)), }; const messageBytes = codec.encode(multisigRegMsgSchema, messageForRegistration); const MESSAGE_TAG_MULTISIG_REG = 'LSK_RMSG_'; const chainID = Buffer.from(chainIDStr, 'hex'); const decodedParams = { numberOfSignatures: messageForRegistration.numberOfSignatures, mandatoryKeys: messageForRegistration.mandatoryKeys, optionalKeys: messageForRegistration.optionalKeys, signatures: [] as Buffer[], }; const sign1 = ed.signData( MESSAGE_TAG_MULTISIG_REG, chainID, messageBytes, legacyAccounts.mandatoryTwo.privateKey, ); decodedParams.signatures.push(sign1); const sign2 = ed.signData( MESSAGE_TAG_MULTISIG_REG, chainID, messageBytes, legacyAccounts.mandatoryOne.privateKey, ); decodedParams.signatures.push(sign2); const sign3 = ed.signData( MESSAGE_TAG_MULTISIG_REG, chainID, messageBytes, legacyAccounts.optionalOne.privateKey, ); decodedParams.signatures.push(sign3); const sign4 = ed.signData( MESSAGE_TAG_MULTISIG_REG, chainID, messageBytes, legacyAccounts.optionalTwo.privateKey, ); decodedParams.signatures.push(sign4); const msTx: TransactionAttrs = { module: 'auth', command: 'registerMultisignature', nonce: BigInt('2'), fee: BigInt('1500000000'), senderPublicKey: legacyAccounts.targetAccount.publicKey, params: codec.encode(registerMultisignatureParamsSchema, decodedParams), signatures: [], }; const decodedParamsJSON = { numberOfSignatures: decodedParams.numberOfSignatures, mandatoryKeys: decodedParams.mandatoryKeys.map(k => k.toString('hex')), optionalKeys: decodedParams.optionalKeys.map(k => k.toString('hex')), signatures: decodedParams.signatures.map(s => s.toString('hex')), }; const msTxJSON = { module: 'auth', command: 'registerMultisignature', nonce: '2', fee: '1500000000', senderPublicKey: legacyAccounts.targetAccount.publicKey.toString('hex'), params: { ...decodedParamsJSON }, signatures: [], }; const unsignedMultiSigTransaction = codec.encode(transactionSchema, msTx); const TAG_TRANSACTION = 'LSK_TX_'; const decodedBaseTransaction: any = codec.decode( transactionSchema, unsignedMultiSigTransaction, ); const signatureSender = ed.signDataWithPrivateKey( TAG_TRANSACTION, chainID, unsignedMultiSigTransaction, legacyAccounts.targetAccount.privateKey, ); const signedTransaction = codec.encode(transactionSchema, { ...decodedBaseTransaction, signatures: [signatureSender], }); it('should return signed transaction for sender account', async () => { // Mock IPCClient to return the correct signed transaction jest .spyOn(apiClient, 'createIPCClient') .mockResolvedValue( createIPCClientMock(msTxJSON, signedTransaction, mockCommands) as never, ); await SignCommandExtended.run( [ unsignedMultiSigTransaction.toString('hex'), `--passphrase=${legacyAccounts.targetAccount.passphrase}`, ], config, ); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledTimes(1); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: signedTransaction.toString('hex'), }); }); it('should return fully signed transaction string in hex format', async () => { // Mock IPCClient to return the correct signed transaction jest .spyOn(apiClient, 'createIPCClient') .mockResolvedValue( createIPCClientMock( { ...msTxJSON, signatures: [signatureSender.toString('hex')] }, signedTransaction, mockCommands, ) as never, ); await SignCommandExtended.run( [ unsignedMultiSigTransaction.toString('hex'), `--passphrase=${legacyAccounts.targetAccount.passphrase}`, '--json', ], config, ); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledTimes(2); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: signedTransaction.toString('hex'), }); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: { module: 'auth', command: 'registerMultisignature', nonce: '2', fee: '1500000000', senderPublicKey: your_sha256_hash, params: { numberOfSignatures: 4, mandatoryKeys: [ your_sha256_hash, your_sha256_hash, ], optionalKeys: [ your_sha256_hash, your_sha256_hash, ], signatures: [ your_sha256_hashyour_sha256_hash, your_sha256_hashyour_sha256_hash, your_sha256_hashyour_sha256_hash, your_sha256_hashyour_sha256_hash, ], }, signatures: [ your_sha256_hashyour_sha256_hash, ], }, }); }); }); describe('sign transaction from multi-signature accounts', () => { const baseTX = { module: 'token', command: 'transfer', nonce: '2', fee: '100000000', senderPublicKey: your_sha256_hash, params: codec .encodeJSON(tokenTransferParamsSchema, (mockJSONTransaction as any).params) .toString('hex'), signatures: [], }; const unsignedTransaction = codec.encodeJSON(transactionSchema, baseTX).toString('hex'); const sign1 = codec .encodeJSON(transactionSchema, { ...baseTX, signatures: [ '', your_sha256_hashyour_sha256_hash, '', '', ], }) .toString('hex'); const sign2 = codec .encodeJSON(transactionSchema, { ...baseTX, signatures: [ your_sha256_hashyour_sha256_hash, '', '', ], }) .toString('hex'); const sign3 = codec .encodeJSON(transactionSchema, { ...baseTX, signatures: [ '', '', '', your_sha256_hashyour_sha256_hash, ], }) .toString('hex'); describe('mandatory keys are specified', () => { it('should return signed transaction for mandatory account 1', async () => { await SignCommandExtended.run( signMultiSigCmdArgs(unsignedTransaction, mandatoryPassphrases[0]), config, ); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledTimes(1); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: expect.any(String), }); }); it('should return signed transaction for mandatory account 2', async () => { await SignCommandExtended.run( signMultiSigCmdArgs(sign1, mandatoryPassphrases[1]), config, ); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledTimes(1); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: expect.any(String), }); }); }); describe('optional keys are specified', () => { it('should return signed transaction for optional account 1', async () => { await SignCommandExtended.run(signMultiSigCmdArgs(sign2, optionalPassphrases[0]), config); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledTimes(1); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: expect.any(String), }); }); it('should return signed transaction for optional account 2', async () => { await SignCommandExtended.run(signMultiSigCmdArgs(sign3, optionalPassphrases[1]), config); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledTimes(1); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: expect.any(String), }); }); it('should return fully signed transaction string in hex format', async () => { await SignCommandExtended.run( signMultiSigCmdArgsJSON(sign3, optionalPassphrases[1]), config, ); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledTimes(2); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: expect.any(String), }); expect(SignCommandExtended.prototype.printJSON).toHaveBeenCalledWith(undefined, { transaction: { id: expect.any(String), params: { tokenID: '0000000000000000', amount: '100', data: 'send token', recipientAddress: 'lskqozpc4ftffaompmqwzd93dfj89g5uezqwhosg9', }, command: 'transfer', fee: '100000000', module: 'token', nonce: '2', senderPublicKey: your_sha256_hash, signatures: [ expect.any(String), expect.any(String), expect.any(String), expect.any(String), ], }, }); }); }); }); }); }); ```
/content/code_sandbox/commander/test/bootstrapping/commands/transaction/sign.spec.ts
xml
2016-02-01T21:45:35
2024-08-15T19:16:48
lisk-sdk
LiskArchive/lisk-sdk
2,721
6,504
```xml import babel from '@babel/core'; import { deepCloneNode } from '../util/syntax-helpers.js'; import { NodeMutator } from './node-mutator.js'; const { types } = babel; const replacements = new Map([ ['charAt', null], ['endsWith', 'startsWith'], ['every', 'some'], ['filter', null], ['reverse', null], ['slice', null], ['sort', null], ['substr', null], ['substring', null], ['toLocaleLowerCase', 'toLocaleUpperCase'], ['toLowerCase', 'toUpperCase'], ['trim', null], ['trimEnd', 'trimStart'], ['min', 'max'], ['setDate', 'setTime'], ['setFullYear', 'setMonth'], ['setHours', 'setMinutes'], ['setSeconds', 'setMilliseconds'], ['setUTCDate', 'setTime'], ['setUTCFullYear', 'setUTCMonth'], ['setUTCHours', 'setUTCMinutes'], ['setUTCSeconds', 'setUTCMilliseconds'], ]); const noReverseRemplacements = ['getUTCDate', 'setUTCDate']; for (const [key, value] of Array.from(replacements)) { if (value && !noReverseRemplacements.includes(key)) { replacements.set(value, key); } } export const methodExpressionMutator: NodeMutator = { name: 'MethodExpression', *mutate(path) { if (!(path.isCallExpression() || path.isOptionalCallExpression())) { return; } const { callee } = path.node; if (!(types.isMemberExpression(callee) || types.isOptionalMemberExpression(callee)) || !types.isIdentifier(callee.property)) { return; } const newName = replacements.get(callee.property.name); if (newName === undefined) { return; } if (newName === null) { // Remove the method expression. I.e. `foo.trim()` => `foo` yield deepCloneNode(callee.object); return; } // Replace the method expression. I.e. `foo.toLowerCase()` => `foo.toUpperCase` const nodeArguments = path.node.arguments.map((argumentNode) => deepCloneNode(argumentNode)); const mutatedCallee = types.isMemberExpression(callee) ? types.memberExpression(deepCloneNode(callee.object), types.identifier(newName), false, callee.optional) : types.optionalMemberExpression(deepCloneNode(callee.object), types.identifier(newName), false, callee.optional); yield types.isCallExpression(path.node) ? types.callExpression(mutatedCallee, nodeArguments) : types.optionalCallExpression(mutatedCallee, nodeArguments, path.node.optional); }, }; ```
/content/code_sandbox/packages/instrumenter/src/mutators/method-expression-mutator.ts
xml
2016-02-12T13:14:28
2024-08-15T18:38:25
stryker-js
stryker-mutator/stryker-js
2,561
580
```xml // See LICENSE in the project root for license information. import * as path from 'path'; import type { Comment } from 'estree'; import type { Compilation, Module } from 'webpack'; import type { sources } from 'webpack'; import type { IAssetInfo } from './ModuleMinifierPlugin.types'; function getAllComments(modules: Iterable<Module>): Set<string> { const allComments: Set<string> = new Set(); for (const webpackModule of modules) { const submodules: Iterable<Module> = (webpackModule.context === null && (webpackModule as { _modules?: Iterable<Module> })._modules) || [webpackModule]; for (const submodule of submodules) { const subModuleComments: Iterable<Comment> | undefined = ( submodule.factoryMeta as { comments?: Iterable<Comment>; } )?.comments; if (subModuleComments) { for (const comment of subModuleComments) { const value: string = comment.type === 'Line' ? `//${comment.value}\n` : `/*${comment.value}*/\n`; allComments.add(value); } } } } return allComments; } /** * Generates a companion asset containing all extracted comments. If it is non-empty, returns a banner comment directing users to said companion asset. * * @param compilation - The webpack compilation * @param asset - The asset to process * @public */ // Extracted comments from the modules. const modules: Iterable<Module> = compilation.chunkGraph.getChunkModulesIterable(asset.chunk); const comments: Set<string> = getAllComments(modules); const assetName: string = asset.fileName; let banner: string = ''; if (comments.size) { // There are license comments in this chunk, so generate the companion file and inject a banner const licenseSource: sources.ConcatSource = new compilation.compiler.webpack.sources.ConcatSource(); comments.forEach((comment) => { licenseSource.add(comment); }); const licenseFileName: string = `${assetName}.LICENSE.txt`; compilation.emitAsset(licenseFileName, licenseSource); banner = `/*! For license information please see ${path.basename(licenseFileName)} */\n`; } return banner; } ```
/content/code_sandbox/webpack/webpack5-module-minifier-plugin/src/GenerateLicenseFileForAsset.ts
xml
2016-09-30T00:28:20
2024-08-16T18:54:35
rushstack
microsoft/rushstack
5,790
478
```xml // See LICENSE in the project root for license information. import type * as tsdoc from '@microsoft/tsdoc'; import type { ReleaseTag } from '@microsoft/api-extractor-model'; import { VisitorState } from './VisitorState'; /** * Constructor parameters for `ApiItemMetadata`. */ export interface IApiItemMetadataOptions { declaredReleaseTag: ReleaseTag; effectiveReleaseTag: ReleaseTag; releaseTagSameAsParent: boolean; isEventProperty: boolean; isOverride: boolean; isSealed: boolean; isVirtual: boolean; isPreapproved: boolean; } /** * Stores the Collector's additional analysis for an `AstDeclaration`. This object is assigned to * `AstDeclaration.apiItemMetadata` but consumers must always obtain it by calling `Collector.fetchApiItemMetadata()`. * * @remarks * Note that ancillary declarations share their `ApiItemMetadata` with the main declaration, * whereas a separate `DeclarationMetadata` object is created for each declaration. * * Consider this example: * ```ts * export declare class A { * get b(): string; * set b(value: string); * } * export declare namespace A { } * ``` * * In this example, there are two "symbols": `A` and `b` * * There are four "declarations": `A` class, `A` namespace, `b` getter, `b` setter * * There are three "API items": `A` class, `A` namespace, `b` property. The property getter is the main declaration * for `b`, and the setter is the "ancillary" declaration. */ export class ApiItemMetadata { /** * This is the release tag that was explicitly specified in the original doc comment, if any. */ public readonly declaredReleaseTag: ReleaseTag; /** * The "effective" release tag is a normalized value that is based on `declaredReleaseTag`, * but may be inherited from a parent, or corrected if the declared value was somehow invalid. * When actually trimming .d.ts files or generating docs, API Extractor uses the "effective" value * instead of the "declared" value. */ public readonly effectiveReleaseTag: ReleaseTag; // If true, then it would be redundant to show this release tag public readonly releaseTagSameAsParent: boolean; // NOTE: In the future, the Collector may infer or error-correct some of these states. // Generators should rely on these instead of tsdocComment.modifierTagSet. public readonly isEventProperty: boolean; public readonly isOverride: boolean; public readonly isSealed: boolean; public readonly isVirtual: boolean; public readonly isPreapproved: boolean; /** * This is the TSDoc comment for the declaration. It may be modified (or constructed artificially) by * the DocCommentEnhancer. */ public tsdocComment: tsdoc.DocComment | undefined; /** * Tracks whether or not the associated API item is known to be missing sufficient documentation. * * @remarks * * An "undocumented" item is one whose TSDoc comment which either does not contain a summary comment block, or * has an `@inheritDoc` tag that resolves to another "undocumented" API member. * * If there is any ambiguity (e.g. if an `@inheritDoc` comment points to an external API member, whose documentation, * we can't parse), "undocumented" will be `false`. * * @remarks Assigned by {@link DocCommentEnhancer}. */ public undocumented: boolean = true; public docCommentEnhancerVisitorState: VisitorState = VisitorState.Unvisited; public constructor(options: IApiItemMetadataOptions) { this.declaredReleaseTag = options.declaredReleaseTag; this.effectiveReleaseTag = options.effectiveReleaseTag; this.releaseTagSameAsParent = options.releaseTagSameAsParent; this.isEventProperty = options.isEventProperty; this.isOverride = options.isOverride; this.isSealed = options.isSealed; this.isVirtual = options.isVirtual; this.isPreapproved = options.isPreapproved; } } ```
/content/code_sandbox/apps/api-extractor/src/collector/ApiItemMetadata.ts
xml
2016-09-30T00:28:20
2024-08-16T18:54:35
rushstack
microsoft/rushstack
5,790
911
```xml // luma.gl // SAMPLER FILTERS import {SamplerProps} from '@luma.gl/core'; import {GL, GLSamplerParameters} from '@luma.gl/constants'; import {convertCompareFunction} from './device-parameters'; /** * Convert WebGPU-style sampler props to WebGL * @param props * @returns */ export function convertSamplerParametersToWebGL(props: SamplerProps): GLSamplerParameters { const params: GLSamplerParameters = {}; if (props.addressModeU) { params[GL.TEXTURE_WRAP_S] = convertAddressMode(props.addressModeU); } if (props.addressModeV) { params[GL.TEXTURE_WRAP_T] = convertAddressMode(props.addressModeV); } if (props.addressModeW) { params[GL.TEXTURE_WRAP_R] = convertAddressMode(props.addressModeW); } if (props.magFilter) { params[GL.TEXTURE_MAG_FILTER] = convertMaxFilterMode(props.magFilter); } if (props.minFilter || props.mipmapFilter) { // TODO - arbitrary choice of linear? params[GL.TEXTURE_MIN_FILTER] = convertMinFilterMode( props.minFilter || 'linear', props.mipmapFilter ); } if (props.lodMinClamp !== undefined) { params[GL.TEXTURE_MIN_LOD] = props.lodMinClamp; } if (props.lodMaxClamp !== undefined) { params[GL.TEXTURE_MAX_LOD] = props.lodMaxClamp; } if (props.type === 'comparison-sampler') { // Setting prop.compare turns this into a comparison sampler params[GL.TEXTURE_COMPARE_MODE] = GL.COMPARE_REF_TO_TEXTURE; } if (props.compare) { params[GL.TEXTURE_COMPARE_FUNC] = convertCompareFunction('compare', props.compare); } // Note depends on WebGL extension if (props.maxAnisotropy) { params[GL.TEXTURE_MAX_ANISOTROPY_EXT] = props.maxAnisotropy; } return params; } // HELPERS /** Convert address more */ function convertAddressMode( addressMode: 'clamp-to-edge' | 'repeat' | 'mirror-repeat' ): GL.CLAMP_TO_EDGE | GL.REPEAT | GL.MIRRORED_REPEAT { switch (addressMode) { case 'clamp-to-edge': return GL.CLAMP_TO_EDGE; case 'repeat': return GL.REPEAT; case 'mirror-repeat': return GL.MIRRORED_REPEAT; } } function convertMaxFilterMode(maxFilter: 'nearest' | 'linear'): GL.NEAREST | GL.LINEAR { switch (maxFilter) { case 'nearest': return GL.NEAREST; case 'linear': return GL.LINEAR; } } /** * WebGPU has separate min filter and mipmap filter, * WebGL is combined and effectively offers 6 options */ function convertMinFilterMode( minFilter: 'nearest' | 'linear', mipmapFilter?: 'nearest' | 'linear' ): | GL.NEAREST | GL.LINEAR | GL.NEAREST_MIPMAP_NEAREST | GL.LINEAR_MIPMAP_NEAREST | GL.NEAREST_MIPMAP_LINEAR | GL.LINEAR_MIPMAP_LINEAR { if (!mipmapFilter) { return convertMaxFilterMode(minFilter); } switch (minFilter) { case 'nearest': return mipmapFilter === 'nearest' ? GL.NEAREST_MIPMAP_NEAREST : GL.NEAREST_MIPMAP_LINEAR; case 'linear': return mipmapFilter === 'nearest' ? GL.LINEAR_MIPMAP_NEAREST : GL.LINEAR_MIPMAP_LINEAR; } } ```
/content/code_sandbox/modules/webgl/src/adapter/converters/sampler-parameters.ts
xml
2016-01-25T09:41:59
2024-08-16T10:03:05
luma.gl
visgl/luma.gl
2,280
803
```xml import { css } from '@emotion/css'; import { GrafanaTheme } from '@grafana/data'; import { stylesFactory } from '@grafana/ui'; import { getPmmTheme } from 'shared/components/helpers/getPmmTheme'; export const getStyles = stylesFactory((theme: GrafanaTheme) => { const parameters = getPmmTheme(theme); const selectedRowColor = theme.isLight ? 'deepskyblue' : '#234682'; return { tableWrap: (size) => css` display: block; max-width: ${size.x ? `${size.x}px` : '100%'}; max-height: ${size.y ? `${size.y}px` : 'auto'}; border: 1px solid ${parameters.table.borderColor}; `, table: css` /* This is required to make the table full-width */ display: block; max-width: 100%; border-collapse: separate; /* Don't collapse */ border-spacing: 0; .simplebar-mask { margin-right: -21px !important; } .table { /* Make sure the inner table is always as wide as needed */ width: 100%; border-spacing: 0; .selected-overview-row { .td { background-color: ${selectedRowColor}; } } .tr { cursor: pointer; border-right: 21px solid transparent; box-sizing: content-box !important; } .th, .td { background-color: ${parameters.table.backgroundColor}; margin: 0; padding: 3px; border-bottom: 1px solid ${parameters.table.borderColor}; border-right: 1px solid ${parameters.table.borderColor}; color: ${parameters.table.textColor}; display: flex; justify-content: space-between; :last-child { border-right: 0; } } .th { background-color: ${parameters.table.headerBackground}; position: -webkit-sticky; /* for Safari */ position: sticky; top: 0; z-index: 2; } } .tr .td:first-child { position: -webkit-sticky; /* for Safari */ position: sticky; left: 0; z-index: 1; } .tr .td:nth-child(2) { position: -webkit-sticky; /* for Safari */ position: sticky; left: 40px; z-index: 1; } .th:first-child { display: flex !important; justify-content: center !important; left: 0; z-index: 3; } .th:nth-child(2) { position: -webkit-sticky; /* for Safari */ position: sticky; left: 40px; z-index: 3; } .pagination { padding: 0.5rem; } `, empty: (height) => css` display: flex; width: 100%; height: ${height - 70}px; justify-content: center; align-items: center; border: 1px solid ${parameters.table.borderColor}; `, checkboxColumn: css` width: 20px; `, header: (width) => css` min-width: ${width}px; max-width: ${width}px; `, headerContent: css` display: flex; flex-direction: row; justify-content: space-between; align-items: center; .header-wrapper { width: 100%; } `, tableWrapper: css` scroll: auto; `, sortBy: css` display: flex; flex-direction: column; padding: 10px; .sort-by:before, .sort-by:after { border: 6px solid transparent; content: ''; display: block; height: 0; right: 13px; top: 50%; position: absolute; width: 0; } .sort-by:before { border-bottom-color: gray; margin-top: -13px; } .sort-by:after { border-top-color: gray; margin-top: 1px; } .sort-by.asc:after { border-top-color: deepskyblue; } .sort-by.desc:before { border-bottom-color: deepskyblue; } `, headerRow: css` position: sticky; top: 0; z-index: 999; `, tableCell: css` display: flex !important; justify-content: flex-end !important; flex-direction: row !important; align-items: center !important; padding-right: 8px !important; `, rowNumberCell: css` display: flex !important; align-items: center !important; justify-content: center !important; `, tableDisabled: css` opacity: 0.6; pointer-events: none; `, }; }); ```
/content/code_sandbox/pmm-app/src/pmm-qan/panel/components/Overview/components/QanTable/Table.styles.ts
xml
2016-01-22T07:14:23
2024-08-13T13:01:59
grafana-dashboards
percona/grafana-dashboards
2,661
1,091
```xml import type { FC } from 'react'; import React from 'react'; import { IconButton } from '@storybook/core/components'; import { styled } from '@storybook/core/theming'; import { BottomBarToggleIcon, MenuIcon } from '@storybook/icons'; import { useStorybookApi, useStorybookState } from '@storybook/core/manager-api'; import { useLayout } from '../../layout/LayoutProvider'; import { MobileAddonsDrawer } from './MobileAddonsDrawer'; import { MobileMenuDrawer } from './MobileMenuDrawer'; interface MobileNavigationProps { menu?: React.ReactNode; panel?: React.ReactNode; showPanel: boolean; } /** * Walks the tree from the current story to combine story+component+folder names into a single * string */ const useFullStoryName = () => { const { index } = useStorybookState(); const api = useStorybookApi(); const currentStory = api.getCurrentStoryData(); if (!currentStory) { return ''; } let fullStoryName = currentStory.renderLabel?.(currentStory, api) || currentStory.name; // @ts-expect-error (non strict) let node = index[currentStory.id]; // @ts-expect-error (non strict) while ('parent' in node && node.parent && index[node.parent] && fullStoryName.length < 24) { // @ts-expect-error (non strict) node = index[node.parent]; const parentName = node.renderLabel?.(node, api) || node.name; fullStoryName = `${parentName}/${fullStoryName}`; } return fullStoryName; }; export const MobileNavigation: FC<MobileNavigationProps> = ({ menu, panel, showPanel }) => { const { isMobileMenuOpen, isMobilePanelOpen, setMobileMenuOpen, setMobilePanelOpen } = useLayout(); const fullStoryName = useFullStoryName(); return ( <Container> <MobileMenuDrawer>{menu}</MobileMenuDrawer> {isMobilePanelOpen ? ( <MobileAddonsDrawer>{panel}</MobileAddonsDrawer> ) : ( <Nav className="sb-bar"> <Button onClick={() => setMobileMenuOpen(!isMobileMenuOpen)} title="Open navigation menu"> <MenuIcon /> <Text>{fullStoryName}</Text> </Button> {showPanel && ( <IconButton onClick={() => setMobilePanelOpen(true)} title="Open addon panel"> <BottomBarToggleIcon /> </IconButton> )} </Nav> )} </Container> ); }; const Container = styled.div(({ theme }) => ({ bottom: 0, left: 0, width: '100%', zIndex: 10, background: theme.barBg, borderTop: `1px solid ${theme.appBorderColor}`, })); const Nav = styled.div({ display: 'flex', alignItems: 'center', justifyContent: 'space-between', width: '100%', height: 40, padding: '0 6px', }); const Button = styled.button(({ theme }) => ({ all: 'unset', display: 'flex', alignItems: 'center', gap: 10, color: theme.barTextColor, fontSize: `${theme.typography.size.s2 - 1}px`, padding: '0 7px', fontWeight: theme.typography.weight.bold, WebkitLineClamp: 1, '> svg': { width: 14, height: 14, flexShrink: 0, }, })); const Text = styled.p({ display: '-webkit-box', WebkitLineClamp: 1, WebkitBoxOrient: 'vertical', overflow: 'hidden', }); ```
/content/code_sandbox/code/core/src/manager/components/mobile/navigation/MobileNavigation.tsx
xml
2016-03-18T04:23:44
2024-08-16T19:22:08
storybook
storybookjs/storybook
83,755
804
```xml import { HttpClient, HttpRequest, HttpResponse } from "../src/HttpClient"; export type TestHttpHandlerResult = string | HttpResponse | any; export type TestHttpHandler = (request: HttpRequest, next?: (request: HttpRequest) => Promise<HttpResponse>) => Promise<TestHttpHandlerResult> | TestHttpHandlerResult; export class TestHttpClient extends HttpClient { private handler: (request: HttpRequest) => Promise<HttpResponse>; public sentRequests: HttpRequest[]; constructor() { super(); this.sentRequests = []; this.handler = (request: HttpRequest) => Promise.reject(`Request has no handler: ${request.method} ${request.url}`); } public send(request: HttpRequest): Promise<HttpResponse> { this.sentRequests.push(request); return this.handler(request); } public on(handler: TestHttpHandler): TestHttpClient; public on(method: string | RegExp, handler: TestHttpHandler): TestHttpClient; public on(method: string | RegExp, url: string, handler: TestHttpHandler): TestHttpClient; public on(method: string | RegExp, url: RegExp, handler: TestHttpHandler): TestHttpClient; public on(methodOrHandler: string | RegExp | TestHttpHandler, urlOrHandler?: string | RegExp | TestHttpHandler, handler?: TestHttpHandler): TestHttpClient { let method: string | RegExp; let url: string | RegExp; if ((typeof methodOrHandler === "string") || (methodOrHandler instanceof RegExp)) { method = methodOrHandler; } else if (methodOrHandler) { handler = methodOrHandler; } if ((typeof urlOrHandler === "string") || (urlOrHandler instanceof RegExp)) { url = urlOrHandler; } else if (urlOrHandler) { handler = urlOrHandler; } // TypeScript callers won't be able to do this, because TypeScript checks this for us. if (!handler) { throw new Error("Missing required argument: 'handler'"); } const oldHandler = this.handler; const newHandler = async (request: HttpRequest) => { if (matches(method, request.method!) && matches(url, request.url!)) { const promise = handler!(request, oldHandler); let val: TestHttpHandlerResult; if (promise instanceof Promise) { val = await promise; } else { val = promise; } if (typeof val === "string") { // string payload return new HttpResponse(200, "OK", val); } else if (typeof val === "object" && val.statusCode) { // HttpResponse payload return val as HttpResponse; } else { // JSON payload return new HttpResponse(200, "OK", JSON.stringify(val)); } } else { return await oldHandler(request); } }; this.handler = newHandler; return this; } } function matches(pattern: string | RegExp, actual: string): boolean { // Null or undefined pattern matches all. if (!pattern) { return true; } if (typeof pattern === "string") { return actual === pattern; } else { return pattern.test(actual); } } ```
/content/code_sandbox/clients/ts/signalr/tests/TestHttpClient.ts
xml
2016-10-17T16:39:15
2024-08-15T16:33:14
SignalR
aspnet/SignalR
2,383
675
```xml /** * Combina two users id as frind id * The result has nothing to do with the order of the parameters * @param userId1 user id * @param userId2 user id */ export default function getFriendId(userId1: string, userId2: string) { if (userId1 < userId2) { return userId1 + userId2; } return userId2 + userId1; } ```
/content/code_sandbox/packages/utils/getFriendId.ts
xml
2016-02-15T14:47:58
2024-08-14T13:07:55
fiora
yinxin630/fiora
6,485
90
```xml import _ from 'underscore'; import React from 'react'; import { VirtualDOMUtils } from 'mailspring-exports'; import SearchMatch from './search-match'; import UnifiedDOMParser from './unified-dom-parser'; export default class VirtualDOMParser extends UnifiedDOMParser { getWalker(dom): Iterable<HTMLElement> { const pruneFn = node => { return node.type === 'style'; }; return VirtualDOMUtils.walk({ element: dom, pruneFn, parentNode: undefined, childOffset: undefined, }); } isTextNode({ element }): boolean { return typeof element === 'string'; } textNodeLength({ element }) { return element.length; } textNodeContents(textNode) { return textNode.element; } looksLikeBlockElement({ element }) { if (!element) { return false; } const blockTypes = ['br', 'p', 'blockquote', 'div', 'table', 'iframe']; if (_.isFunction(element.type)) { return true; } else if (blockTypes.indexOf(element.type) >= 0) { return true; } return false; } getRawFullString(fullString) { return _.pluck(fullString, 'element').join(''); } removeMatchesAndNormalize(element: any) { let newChildren = []; let strAccumulator = []; const resetAccumulator = () => { if (strAccumulator.length > 0) { newChildren.push(strAccumulator.join('')); strAccumulator = []; } }; if (React.isValidElement(element) || _.isArray(element)) { let children; if (_.isArray(element)) { children = element; } else { children = (element.props as any).children; } if (!children) { newChildren = null; } else if (React.isValidElement(children)) { newChildren = children as any; } else if (typeof children === 'string') { strAccumulator.push(children); } else if (children.length > 0) { for (let i = 0; i < children.length; i++) { const child = children[i]; if (typeof child === 'string') { strAccumulator.push(child); } else if (this._isSearchElement(child)) { resetAccumulator(); newChildren.push(child.props.children); } else { resetAccumulator(); newChildren.push(this.removeMatchesAndNormalize(child)); } } } else { newChildren = children; } resetAccumulator(); if (_.isArray(element)) { return newChildren; } return React.cloneElement(element, {}, newChildren); } return element; } _isSearchElement(element) { return element.type === SearchMatch; } createTextNode({ rawText }) { return rawText; } createMatchNode({ matchText, regionId, isCurrentMatch, renderIndex }) { const className = isCurrentMatch ? 'current-match' : ''; return React.createElement(SearchMatch, { className, regionId, renderIndex }, matchText); } textNodeKey(textElement) { return textElement.parentNode; } highlightSearch(element, matchNodeMap) { if (React.isValidElement(element) || _.isArray(element)) { let newChildren = []; let children; if (_.isArray(element)) { children = element; } else { children = (element.props as any).children; } const matchNode = matchNodeMap.get(element); let originalTextNode = null; let newTextNodes = []; if (matchNode) { originalTextNode = matchNode.originalTextNode; newTextNodes = matchNode.newTextNodes; } if (!children) { newChildren = null; } else if (React.isValidElement(children)) { if (originalTextNode && originalTextNode.childOffset === 0) { newChildren = newTextNodes; } else { newChildren = this.highlightSearch(children, matchNodeMap); } } else if (children instanceof Array && children.length > 0) { for (let i = 0; i < children.length; i++) { const child = children[i]; if (originalTextNode && originalTextNode.childOffset === i) { newChildren.push(newTextNodes); } else { newChildren.push(this.highlightSearch(child, matchNodeMap)); } } } else { if (originalTextNode && originalTextNode.childOffset === 0) { newChildren = newTextNodes; } else { newChildren = children; } } if (_.isArray(element)) { return newChildren; } return React.cloneElement(element, {}, newChildren); } return element; } } ```
/content/code_sandbox/app/src/searchable-components/virtual-dom-parser.ts
xml
2016-10-13T06:45:50
2024-08-16T18:14:37
Mailspring
Foundry376/Mailspring
15,331
1,034
```xml import { ensureNotFalsy, errorToPlainJson } from '../../plugins/utils/index.ts'; import { RxDBLeaderElectionPlugin } from '../leader-election/index.ts'; import type { RxCollection, ReplicationPullOptions, ReplicationPushOptions, RxReplicationWriteToMasterRow, RxReplicationPullStreamItem } from '../../types/index.d.ts'; import { RxReplicationState, startReplicationOnLeaderShip } from '../replication/index.ts'; import { addRxPlugin, newRxError, WithDeleted } from '../../index.ts'; import { Subject } from 'rxjs'; import type { NatsCheckpointType, NatsSyncOptions } from './nats-types.ts'; import { connect, DeliverPolicy, JSONCodec, ReplayPolicy } from 'nats'; import { getNatsServerDocumentState } from './nats-helper.ts'; import { awaitRetry } from '../replication/replication-helper.ts'; export * from './nats-types.ts'; export * from './nats-helper.ts'; export class RxNatsReplicationState<RxDocType> extends RxReplicationState<RxDocType, NatsCheckpointType> { constructor( public readonly replicationIdentifier: string, public readonly collection: RxCollection<RxDocType>, public readonly pull?: ReplicationPullOptions<RxDocType, NatsCheckpointType>, public readonly push?: ReplicationPushOptions<RxDocType>, public readonly live: boolean = true, public retryTime: number = 1000 * 5, public autoStart: boolean = true ) { super( replicationIdentifier, collection, '_deleted', pull, push, live, retryTime, autoStart ); } } export function replicateNats<RxDocType>( options: NatsSyncOptions<RxDocType> ): RxNatsReplicationState<RxDocType> { options.live = typeof options.live === 'undefined' ? true : options.live; options.waitForLeadership = typeof options.waitForLeadership === 'undefined' ? true : options.waitForLeadership; const collection = options.collection; const primaryPath = collection.schema.primaryPath; addRxPlugin(RxDBLeaderElectionPlugin); const jc = JSONCodec(); const connectionStatePromise = (async () => { const nc = await connect(options.connection); const jetstreamClient = nc.jetstream(); const jsm = await nc.jetstreamManager(); await jsm.streams.add({ name: options.streamName, subjects: [ options.subjectPrefix + '.*' ] }); const natsStream = await jetstreamClient.streams.get(options.streamName); return { nc, jetstreamClient, jsm, natsStream }; })(); const pullStream$: Subject<RxReplicationPullStreamItem<RxDocType, NatsCheckpointType>> = new Subject(); let replicationPrimitivesPull: ReplicationPullOptions<RxDocType, NatsCheckpointType> | undefined; if (options.pull) { replicationPrimitivesPull = { async handler( lastPulledCheckpoint: NatsCheckpointType | undefined, batchSize: number ) { const cn = await connectionStatePromise; const newCheckpoint: NatsCheckpointType = { sequence: lastPulledCheckpoint ? lastPulledCheckpoint.sequence : 0 }; const consumer = await cn.natsStream.getConsumer({ opt_start_seq: lastPulledCheckpoint ? lastPulledCheckpoint.sequence : 0, deliver_policy: DeliverPolicy.LastPerSubject, replay_policy: ReplayPolicy.Instant }); const fetchedMessages = await consumer.fetch({ max_messages: batchSize }); await (fetchedMessages as any).signal; await fetchedMessages.close(); const useMessages: WithDeleted<RxDocType>[] = []; for await (const m of fetchedMessages) { useMessages.push(m.json()); newCheckpoint.sequence = m.seq; m.ack(); } return { documents: useMessages, checkpoint: newCheckpoint }; }, batchSize: ensureNotFalsy(options.pull).batchSize, modifier: ensureNotFalsy(options.pull).modifier, stream$: pullStream$.asObservable() }; } let replicationPrimitivesPush: ReplicationPushOptions<RxDocType> | undefined; if (options.push) { replicationPrimitivesPush = { async handler( rows: RxReplicationWriteToMasterRow<RxDocType>[] ) { const cn = await connectionStatePromise; const conflicts: WithDeleted<RxDocType>[] = []; await Promise.all( rows.map(async (writeRow) => { const docId = (writeRow.newDocumentState as any)[primaryPath]; /** * first get the current state of the documents from the server * so that we have the sequence number for conflict detection. */ let remoteDocState; try { remoteDocState = await getNatsServerDocumentState( cn.natsStream, options.subjectPrefix, docId ); } catch (err: Error | any) { if (!err.message.includes('no message found')) { throw err; } } if ( remoteDocState && ( !writeRow.assumedMasterState || (await collection.conflictHandler({ newDocumentState: remoteDocState.json(), realMasterState: writeRow.assumedMasterState }, 'replication-firestore-push')).isEqual === false ) ) { // conflict conflicts.push(remoteDocState.json()); } else { // no conflict (yet) let pushDone = false; while (!pushDone) { try { await cn.jetstreamClient.publish( options.subjectPrefix + '.' + docId, jc.encode(writeRow.newDocumentState), { expect: remoteDocState ? { streamName: options.streamName, lastSubjectSequence: remoteDocState.seq } : undefined } ); pushDone = true; } catch (err: Error | any) { if (err.message.includes('wrong last sequence')) { // A write happened while we are doing our write -> handle conflict const newServerState = await getNatsServerDocumentState( cn.natsStream, options.subjectPrefix, docId ); conflicts.push(ensureNotFalsy(newServerState).json()); pushDone = true; } else { replicationState.subjects.error.next( newRxError('RC_STREAM', { document: writeRow.newDocumentState, error: errorToPlainJson(err) }) ); // -> retry after wait await awaitRetry( collection, replicationState.retryTime ); } } } } }) ); return conflicts; }, batchSize: options.push.batchSize, modifier: options.push.modifier }; } const replicationState = new RxNatsReplicationState<RxDocType>( options.replicationIdentifier, collection, replicationPrimitivesPull, replicationPrimitivesPush, options.live, options.retryTime, options.autoStart ); /** * Use long polling to get live changes for the pull.stream$ */ if (options.live && options.pull) { const startBefore = replicationState.start.bind(replicationState); const cancelBefore = replicationState.cancel.bind(replicationState); replicationState.start = async () => { const cn = await connectionStatePromise; /** * First get the last sequence so that we can * laster only fetch 'newer' messages. */ let lastSeq = 0; try { const lastDocState = await cn.natsStream.getMessage({ last_by_subj: options.subjectPrefix + '.*' }); lastSeq = lastDocState.seq; } catch (err: any | Error) { if (!err.message.includes('no message found')) { throw err; } } const consumer = await cn.natsStream.getConsumer({ opt_start_seq: lastSeq }); const newMessages = await consumer.consume(); (async () => { for await (const m of newMessages) { const docData: WithDeleted<RxDocType> = m.json(); pullStream$.next({ documents: [docData], checkpoint: { sequence: m.seq } }); m.ack(); } })(); replicationState.cancel = () => { newMessages.close(); return cancelBefore(); }; return startBefore(); }; } startReplicationOnLeaderShip(options.waitForLeadership, replicationState); return replicationState; } ```
/content/code_sandbox/src/plugins/replication-nats/index.ts
xml
2016-12-02T19:34:42
2024-08-16T15:47:20
rxdb
pubkey/rxdb
21,054
1,886
```xml /* tslint:disable */ /*your_sha256_hash----------------------------- *your_sha256_hash----------------------------*/ "use strict" import { CharCode } from "./CharCode" import { compareAnything } from "./Comparers" import { createMatches, IMatch, matchesCamelCase, matchesPrefix } from "./filters" import { equalsIgnoreCase } from "./strings" import { isLinux, isWindows, stripWildcards, nativeSep, isUpper } from "./Utilities" export type Score = [number /* score */, number[] /* match positions */] export type ScorerCache = { [key: string]: IItemScore } const NO_MATCH = 0 const NO_SCORE: Score = [NO_MATCH, []] // const DEBUG = false; // const DEBUG_MATRIX = false; export function score(target: string, query: string, queryLower: string, fuzzy: boolean): Score { if (!target || !query) { return NO_SCORE // return early if target or query are undefined } const targetLength = target.length const queryLength = query.length if (targetLength < queryLength) { return NO_SCORE // impossible for query to be contained in target } // if (DEBUG) { // console.group(`Target: ${target}, Query: ${query}`); // } const targetLower = target.toLowerCase() // When not searching fuzzy, we require the query to be contained fully // in the target string contiguously. if (!fuzzy) { const indexOfQueryInTarget = targetLower.indexOf(queryLower) if (indexOfQueryInTarget === -1) { // if (DEBUG) { // console.log(`Characters not matching consecutively ${queryLower} within ${targetLower}`); // } return NO_SCORE } } const res = doScore(query, queryLower, queryLength, target, targetLower, targetLength) // if (DEBUG) { // console.log(`%cFinal Score: ${res[0]}`, 'font-weight: bold'); // console.groupEnd(); // } return res } function doScore( query: string, queryLower: string, queryLength: number, target: string, targetLower: string, targetLength: number, ): [number, number[]] { const scores = [] const matches = [] // // Build Scorer Matrix: // // The matrix is composed of query q and target t. For each index we score // q[i] with t[i] and compare that with the previous score. If the score is // equal or larger, we keep the match. In addition to the score, we also keep // the length of the consecutive matches to use as boost for the score. // // t a r g e t // q // u // e // r // y // for (let queryIndex = 0; queryIndex < queryLength; queryIndex++) { for (let targetIndex = 0; targetIndex < targetLength; targetIndex++) { const currentIndex = queryIndex * targetLength + targetIndex const leftIndex = currentIndex - 1 const diagIndex = (queryIndex - 1) * targetLength + targetIndex - 1 const leftScore: number = targetIndex > 0 ? scores[leftIndex] : 0 const diagScore: number = queryIndex > 0 && targetIndex > 0 ? scores[diagIndex] : 0 const matchesSequenceLength: number = queryIndex > 0 && targetIndex > 0 ? matches[diagIndex] : 0 // If we are not matching on the first query character any more, we only produce a // score if we had a score previously for the last query index (by looking at the diagScore). // This makes sure that the query always matches in sequence on the target. For example // given a target of "ede" and a query of "de", we would otherwise produce a wrong high score // for query[1] ("e") matching on target[0] ("e") because of the "beginning of word" boost. let score: number if (!diagScore && queryIndex > 0) { score = 0 } else { score = computeCharScore( query, queryLower, queryIndex, target, targetLower, targetIndex, matchesSequenceLength, ) } // We have a score and its equal or larger than the left score // Match: sequence continues growing from previous diag value // Score: increases by diag score value if (score && diagScore + score >= leftScore) { matches[currentIndex] = matchesSequenceLength + 1 scores[currentIndex] = diagScore + score } else { // We either have no score or the score is lower than the left score // Match: reset to 0 // Score: pick up from left hand side matches[currentIndex] = NO_MATCH scores[currentIndex] = leftScore } } } // Restore Positions (starting from bottom right of matrix) const positions = [] let queryIndex = queryLength - 1 let targetIndex = targetLength - 1 while (queryIndex >= 0 && targetIndex >= 0) { const currentIndex = queryIndex * targetLength + targetIndex const match = matches[currentIndex] if (match === NO_MATCH) { targetIndex-- // go left } else { positions.push(targetIndex) // go up and left queryIndex-- targetIndex-- } } // Print matrix // if (DEBUG_MATRIX) { // printMatrix(query, target, matches, scores); // } return [scores[queryLength * targetLength - 1], positions.reverse()] } function computeCharScore( query: string, queryLower: string, queryIndex: number, target: string, targetLower: string, targetIndex: number, matchesSequenceLength: number, ): number { let score = 0 if (queryLower[queryIndex] !== targetLower[targetIndex]) { return score // no match of characters } // Character match bonus score += 1 // if (DEBUG) { // console.groupCollapsed(`%cCharacter match bonus: +1 (char: ${queryLower[queryIndex]} at index ${targetIndex}, total score: ${score})`, 'font-weight: normal'); // } // Consecutive match bonus if (matchesSequenceLength > 0) { score += matchesSequenceLength * 5 // if (DEBUG) { // console.log('Consecutive match bonus: ' + (matchesSequenceLength * 5)); // } } // Same case bonus if (query[queryIndex] === target[targetIndex]) { score += 1 // if (DEBUG) { // console.log('Same case bonus: +1'); // } } // Start of word bonus if (targetIndex === 0) { score += 8 // if (DEBUG) { // console.log('Start of word bonus: +8'); // } } else { // After separator bonus const separatorBonus = scoreSeparatorAtPos(target.charCodeAt(targetIndex - 1)) if (separatorBonus) { score += separatorBonus // if (DEBUG) { // console.log('After separtor bonus: +4'); // } } else if (isUpper(target.charCodeAt(targetIndex))) { // Inside word upper case bonus (camel case) score += 1 // if (DEBUG) { // console.log('Inside word upper case bonus: +1'); // } } } // if (DEBUG) { // console.groupEnd(); // } return score } function scoreSeparatorAtPos(charCode: number): number { switch (charCode) { case CharCode.Slash: case CharCode.Backslash: return 5 // prefer path separators... case CharCode.Underline: case CharCode.Dash: case CharCode.Period: case CharCode.Space: case CharCode.SingleQuote: case CharCode.DoubleQuote: case CharCode.Colon: return 4 // ...over other separators default: return 0 } } // function printMatrix(query: string, target: string, matches: number[], scores: number[]): void { // console.log('\t' + target.split('').join('\t')); // for (let queryIndex = 0; queryIndex < query.length; queryIndex++) { // let line = query[queryIndex] + '\t'; // for (let targetIndex = 0; targetIndex < target.length; targetIndex++) { // const currentIndex = queryIndex * target.length + targetIndex; // line = line + 'M' + matches[currentIndex] + '/' + 'S' + scores[currentIndex] + '\t'; // } // console.log(line); // } // } /** * Scoring on structural items that have a label and optional description. */ export interface IItemScore { /** * Overall score. */ score: number /** * Matches within the label. */ labelMatch?: IMatch[] /** * Matches within the description. */ descriptionMatch?: IMatch[] } const NO_ITEM_SCORE: IItemScore = Object.freeze({ score: 0 }) export interface IItemAccessor<T> { /** * Just the label of the item to score on. */ getItemLabel(item: T): string /** * The optional description of the item to score on. Can be null. */ getItemDescription(item: T): string /** * If the item is a file, the path of the file to score on. Can be null. */ getItemPath(file: T): string } const PATH_IDENTITY_SCORE = 1 << 18 const LABEL_PREFIX_SCORE = 1 << 17 const LABEL_CAMELCASE_SCORE = 1 << 16 const LABEL_SCORE_THRESHOLD = 1 << 15 export interface IPreparedQuery { original: string value: string lowercase: string containsPathSeparator: boolean } /** * Helper function to prepare a search value for scoring in quick open by removing unwanted characters. */ export function prepareQuery(original: string): IPreparedQuery { let lowercase: string let containsPathSeparator: boolean let value: string if (original) { value = stripWildcards(original).replace(/\s/g, "") // get rid of all wildcards and whitespace if (isWindows) { value = value.replace(/\//g, nativeSep) // Help Windows users to search for paths when using slash } lowercase = value.toLowerCase() containsPathSeparator = value.indexOf(nativeSep) >= 0 } return { original, value, lowercase, containsPathSeparator } } export function scoreItem<T>( item: T, query: IPreparedQuery, fuzzy: boolean, accessor: IItemAccessor<T>, cache: ScorerCache, ): IItemScore { if (!item || !query.value) { return NO_ITEM_SCORE // we need an item and query to score on at least } const label = accessor.getItemLabel(item) if (!label) { return NO_ITEM_SCORE // we need a label at least } const description = accessor.getItemDescription(item) let cacheHash: string if (description) { cacheHash = `${label}${description}${query.value}${fuzzy}` } else { cacheHash = `${label}${query.value}${fuzzy}` } const cached = cache[cacheHash] if (cached) { return cached } const itemScore = doScoreItem(label, description, accessor.getItemPath(item), query, fuzzy) cache[cacheHash] = itemScore return itemScore } function doScoreItem( label: string, description: string, path: string, query: IPreparedQuery, fuzzy: boolean, ): IItemScore { // 1.) treat identity matches on full path highest if (path && isLinux ? query.original === path : equalsIgnoreCase(query.original, path)) { return { score: PATH_IDENTITY_SCORE, labelMatch: [{ start: 0, end: label.length }], descriptionMatch: description ? [{ start: 0, end: description.length }] : void 0, } } // We only consider label matches if the query is not including file path separators const preferLabelMatches = !path || !query.containsPathSeparator if (preferLabelMatches) { // 2.) treat prefix matches on the label second highest const prefixLabelMatch = matchesPrefix(query.value, label) if (prefixLabelMatch) { return { score: LABEL_PREFIX_SCORE, labelMatch: prefixLabelMatch } } // 3.) treat camelcase matches on the label third highest const camelcaseLabelMatch = matchesCamelCase(query.value, label) if (camelcaseLabelMatch) { return { score: LABEL_CAMELCASE_SCORE, labelMatch: camelcaseLabelMatch } } // 4.) prefer scores on the label if any const [labelScore, labelPositions] = score(label, query.value, query.lowercase, fuzzy) if (labelScore) { return { score: labelScore + LABEL_SCORE_THRESHOLD, labelMatch: createMatches(labelPositions), } } } // 5.) finally compute description + label scores if we have a description if (description) { let descriptionPrefix = description if (!!path) { descriptionPrefix = `${description}${nativeSep}` // assume this is a file path } const descriptionPrefixLength = descriptionPrefix.length const descriptionAndLabel = `${descriptionPrefix}${label}` const [labelDescriptionScore, labelDescriptionPositions] = score( descriptionAndLabel, query.value, query.lowercase, fuzzy, ) if (labelDescriptionScore) { const labelDescriptionMatches = createMatches(labelDescriptionPositions) const labelMatch: IMatch[] = [] const descriptionMatch: IMatch[] = [] // We have to split the matches back onto the label and description portions labelDescriptionMatches.forEach(h => { // Match overlaps label and description part, we need to split it up if (h.start < descriptionPrefixLength && h.end > descriptionPrefixLength) { labelMatch.push({ start: 0, end: h.end - descriptionPrefixLength }) descriptionMatch.push({ start: h.start, end: descriptionPrefixLength }) } else if (h.start >= descriptionPrefixLength) { // Match on label part labelMatch.push({ start: h.start - descriptionPrefixLength, end: h.end - descriptionPrefixLength, }) } else { // Match on description part descriptionMatch.push(h) } }) return { score: labelDescriptionScore, labelMatch, descriptionMatch } } } return NO_ITEM_SCORE } export function compareItemsByScore<T>( itemA: T, itemB: T, query: IPreparedQuery, fuzzy: boolean, accessor: IItemAccessor<T>, cache: ScorerCache, fallbackComparer = fallbackCompare, ): number { const itemScoreA = scoreItem(itemA, query, fuzzy, accessor, cache) const itemScoreB = scoreItem(itemB, query, fuzzy, accessor, cache) const scoreA = itemScoreA.score const scoreB = itemScoreB.score // 1.) prefer identity matches if (scoreA === PATH_IDENTITY_SCORE || scoreB === PATH_IDENTITY_SCORE) { if (scoreA !== scoreB) { return scoreA === PATH_IDENTITY_SCORE ? -1 : 1 } } // 2.) prefer label prefix matches if (scoreA === LABEL_PREFIX_SCORE || scoreB === LABEL_PREFIX_SCORE) { if (scoreA !== scoreB) { return scoreA === LABEL_PREFIX_SCORE ? -1 : 1 } const labelA = accessor.getItemLabel(itemA) const labelB = accessor.getItemLabel(itemB) // prefer shorter names when both match on label prefix if (labelA.length !== labelB.length) { return labelA.length - labelB.length } } // 3.) prefer camelcase matches if (scoreA === LABEL_CAMELCASE_SCORE || scoreB === LABEL_CAMELCASE_SCORE) { if (scoreA !== scoreB) { return scoreA === LABEL_CAMELCASE_SCORE ? -1 : 1 } const labelA = accessor.getItemLabel(itemA) const labelB = accessor.getItemLabel(itemB) // prefer more compact camel case matches over longer const comparedByMatchLength = compareByMatchLength( itemScoreA.labelMatch, itemScoreB.labelMatch, ) if (comparedByMatchLength !== 0) { return comparedByMatchLength } // prefer shorter names when both match on label camelcase if (labelA.length !== labelB.length) { return labelA.length - labelB.length } } // 4.) prefer label scores if (scoreA > LABEL_SCORE_THRESHOLD || scoreB > LABEL_SCORE_THRESHOLD) { if (scoreB < LABEL_SCORE_THRESHOLD) { return -1 } if (scoreA < LABEL_SCORE_THRESHOLD) { return 1 } } // 5.) compare by score if (scoreA !== scoreB) { return scoreA > scoreB ? -1 : 1 } // 6.) scores are identical, prefer more compact matches (label and description) const itemAMatchDistance = computeLabelAndDescriptionMatchDistance(itemA, itemScoreA, accessor) const itemBMatchDistance = computeLabelAndDescriptionMatchDistance(itemB, itemScoreB, accessor) if (itemAMatchDistance && itemBMatchDistance && itemAMatchDistance !== itemBMatchDistance) { return itemBMatchDistance > itemAMatchDistance ? -1 : 1 } // 7.) at this point, scores are identical and match compactness as well // for both items so we start to use the fallback compare return fallbackComparer(itemA, itemB, query, accessor) } function computeLabelAndDescriptionMatchDistance<T>( item: T, score: IItemScore, accessor: IItemAccessor<T>, ): number { const hasLabelMatches = score.labelMatch && score.labelMatch.length const hasDescriptionMatches = score.descriptionMatch && score.descriptionMatch.length let matchStart: number = -1 let matchEnd: number = -1 // If we have description matches, the start is first of description match if (hasDescriptionMatches) { matchStart = score.descriptionMatch[0].start } else if (hasLabelMatches) { // Otherwise, the start is the first label match matchStart = score.labelMatch[0].start } // If we have label match, the end is the last label match // If we had a description match, we add the length of the description // as offset to the end to indicate this. if (hasLabelMatches) { matchEnd = score.labelMatch[score.labelMatch.length - 1].end if (hasDescriptionMatches) { const itemDescription = accessor.getItemDescription(item) if (itemDescription) { matchEnd += itemDescription.length } } } else if (hasDescriptionMatches) { // If we have just a description match, the end is the last description match matchEnd = score.descriptionMatch[score.descriptionMatch.length - 1].end } return matchEnd - matchStart } function compareByMatchLength(matchesA?: IMatch[], matchesB?: IMatch[]): number { if ((!matchesA && !matchesB) || (!matchesA.length && !matchesB.length)) { return 0 // make sure to not cause bad comparing when matches are not provided } if (!matchesB || !matchesB.length) { return -1 } if (!matchesA || !matchesA.length) { return 1 } // Compute match length of A (first to last match) const matchStartA = matchesA[0].start const matchEndA = matchesA[matchesA.length - 1].end const matchLengthA = matchEndA - matchStartA // Compute match length of B (first to last match) const matchStartB = matchesB[0].start const matchEndB = matchesB[matchesB.length - 1].end const matchLengthB = matchEndB - matchStartB // Prefer shorter match length return matchLengthA === matchLengthB ? 0 : matchLengthB < matchLengthA ? 1 : -1 } export function fallbackCompare<T>( itemA: T, itemB: T, query: IPreparedQuery, accessor: IItemAccessor<T>, ): number { // check for label + description length and prefer shorter const labelA = accessor.getItemLabel(itemA) const labelB = accessor.getItemLabel(itemB) const descriptionA = accessor.getItemDescription(itemA) const descriptionB = accessor.getItemDescription(itemB) const labelDescriptionALength = labelA.length + (descriptionA ? descriptionA.length : 0) const labelDescriptionBLength = labelB.length + (descriptionB ? descriptionB.length : 0) if (labelDescriptionALength !== labelDescriptionBLength) { return labelDescriptionALength - labelDescriptionBLength } // check for path length and prefer shorter const pathA = accessor.getItemPath(itemA) const pathB = accessor.getItemPath(itemB) if (pathA && pathB && pathA.length !== pathB.length) { return pathA.length - pathB.length } // 7.) finally we have equal scores and equal length, we fallback to comparer // compare by label if (labelA !== labelB) { return compareAnything(labelA, labelB, query.value) } // compare by description if (descriptionA && descriptionB && descriptionA !== descriptionB) { return compareAnything(descriptionA, descriptionB, query.value) } // compare by path if (pathA && pathB && pathA !== pathB) { return compareAnything(pathA, pathB, query.value) } // equal return 0 } ```
/content/code_sandbox/browser/src/Services/Search/Scorer/QuickOpenScorer.ts
xml
2016-11-16T14:42:55
2024-08-14T11:48:05
oni
onivim/oni
11,355
4,992
```xml import { type FC, useState } from 'react'; import { c } from 'ttag'; import { Button } from '@proton/atoms'; import { ModalTwoHeader } from '@proton/components/components'; import PassLogo from '@proton/components/components/logo/PassLogo'; import { usePassCore } from '@proton/pass/components/Core/PassCoreProvider'; import { PASS_BLOG_TRIAL_URL } from '@proton/pass/constants'; import { PASS_APP_NAME } from '@proton/shared/lib/constants'; import clsx from '@proton/utils/clsx'; import './UpsellFloatingModal.scss'; type UpsellFloatingModalProps = { className?: string; title: string; subtitle?: string; badgeText?: string; }; export const UpsellFloatingModal: FC<UpsellFloatingModalProps> = ({ className, title, subtitle, badgeText }) => { const { onLink } = usePassCore(); const [showModal, setShowModal] = useState(true); return ( <div className={clsx( 'fixed bottom-custom right-custom rounded-xl overflow-hidden', showModal ? className : 'hidden' )} style={{ '--bottom-custom': '2rem', '--right-custom': '2rem' }} > <div className="w-custom" style={{ '--w-custom': '20rem' }}> <header className="pass-upsell-floating-modal--header p-10"> <ModalTwoHeader closeButtonProps={{ pill: true, icon: true }} className="absolute top-custom right-custom" style={{ '--top-custom': '1rem', '--right-custom': '1rem' }} onClick={() => setShowModal(false)} /> <PassLogo width={300} height={80} style={{ '--logo-text-product-color': 'white', '--logo-text-proton-color': 'white' }} /> </header> <div className="pass-upsell-floating-modal--content text-left flex flex-column items-start gap-2 p-4 color-invert"> {badgeText && ( <span className="pass-upsell-floating-modal--label rounded-lg text-bold text-sm py-1 px-4"> {badgeText} </span> )} <h1 className="text-lg text-bold">{title}</h1> {subtitle && <span className="text-sm">{subtitle}</span>} <Button className="pass-upsell-floating-modal--button w-full mt-2" color="norm" size="large" shape="solid" onClick={() => onLink(PASS_BLOG_TRIAL_URL)} > {c('Action').t`Get ${PASS_APP_NAME}`} </Button> </div> </div> </div> ); }; ```
/content/code_sandbox/packages/pass/components/Upsell/UpsellFloatingModal.tsx
xml
2016-06-08T11:16:51
2024-08-16T14:14:27
WebClients
ProtonMail/WebClients
4,300
589
```xml /** * * This source code is licensed under the MIT license found in the * LICENSE file in the root directory of this source tree. */ const COMPONENT_PADDING = 10; export const BranchIndicator = () => { const width = COMPONENT_PADDING * 2; const height = COMPONENT_PADDING * 3; // Compensate for line width const startX = width + 1; const startY = 0; const endX = 0; const endY = height; const verticalLead = height * 0.75; const path = // start point `M${startX} ${startY}` + // cubic bezier curve to end point `C ${startX} ${startY + verticalLead}, ${endX} ${endY - verticalLead}, ${endX} ${endY}`; return ( <svg className="branch-indicator" width={width + 2 /* avoid border clipping */} height={height} xmlns="path_to_url"> <path d={path} strokeWidth="2px" fill="transparent" /> </svg> ); }; ```
/content/code_sandbox/addons/isl/src/BranchIndicator.tsx
xml
2016-05-05T16:53:47
2024-08-16T19:12:02
sapling
facebook/sapling
5,987
242
```xml import getClosestPoint from '../../utils/getClosestPoint'; describe('#getClosestPoint', () => { it.each` val | marks | step | min | max | expected ${10} | ${{ '1.2': '', '3': '' }} | ${1} | ${3} | ${4} | ${4} ${10} | ${{}} | ${1} | ${3} | ${4} | ${4} ${10} | ${null} | ${1} | ${3} | ${4} | ${4} ${0} | ${null} | ${1} | ${3} | ${4} | ${0} ${10} | ${null} | ${2} | ${4} | ${100} | ${10} `( 'closest point should be $expected when val is $val, marks is $marks, step is $step, min is $min, max is $max', ({ val, marks, step, min, max, expected }) => { expect(getClosestPoint(val, { marks, step, min, max })).toEqual(expected); }, ); it('should throw error when min > max', () => { expect(() => getClosestPoint(0, { marks: {}, step: 1, min: 6, max: 4 })).toThrowError( `"max" should be greater than "min". Got "min" = 6, "max" = 4`, ); }); }); ```
/content/code_sandbox/packages/zarm/src/slider/__tests__/utils/getClosestPoint.test.ts
xml
2016-07-13T11:45:37
2024-08-12T19:23:48
zarm
ZhongAnTech/zarm
1,707
339
```xml import { DataSource } from "../../../src" import { closeTestingConnections, createTestingConnections, } from "../../utils/test-utils" import { Test } from "./entity/Test" describe("github issues > #2333 datetime column showing changed on every schema:sync run", () => { let connections: DataSource[] before( async () => (connections = await createTestingConnections({ enabledDrivers: ["mysql", "mariadb"], schemaCreate: false, dropSchema: true, entities: [Test], })), ) after(() => closeTestingConnections(connections)) it("should recognize model changes", () => Promise.all( connections.map(async (connection) => { const sqlInMemory = await connection.driver .createSchemaBuilder() .log() sqlInMemory.upQueries.length.should.be.greaterThan(0) sqlInMemory.downQueries.length.should.be.greaterThan(0) }), )) it("should not generate queries when no model changes", () => Promise.all( connections.map(async (connection) => { await connection.driver.createSchemaBuilder().build() const sqlInMemory = await connection.driver .createSchemaBuilder() .log() sqlInMemory.upQueries.length.should.be.equal(0) sqlInMemory.downQueries.length.should.be.equal(0) }), )) }) ```
/content/code_sandbox/test/github-issues/2333/issue-2333.ts
xml
2016-02-29T07:41:14
2024-08-16T18:28:52
typeorm
typeorm/typeorm
33,875
290
```xml <?xml version="1.0" encoding="UTF-8"?> <!-- contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. path_to_url Unless required by applicable law or agreed to in writing, software WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. --> <Configuration status="warn" name="Rocketmq"> <Appenders> <RocketMQ name="rocketmqAppender" producerGroup="loggerAppender" nameServerAddress="127.0.0.1:9876" topic="TopicTest" tag="log"> <PatternLayout pattern="%d [%p] hahahah %c %m%n"/> </RocketMQ> <Console name="Console" target="SYSTEM_OUT"> <PatternLayout pattern="%d{HH:mm:ss.SSS} [%t] %-5level %logger{36} - %msg%n"/> </Console> </Appenders> <Loggers> <Logger name="rocketmqLogger" level="info"> <AppenderRef ref="rocketmqAppender"/> </Logger> <Root level="debug"> <AppenderRef ref="Console"/> <AppenderRef ref="rocketmqAppender"/> </Root> </Loggers> </Configuration> ```
/content/code_sandbox/logappender/src/test/resources/log4j2-example.xml
xml
2016-06-15T08:56:27
2024-07-22T17:20:00
RocketMQC
ProgrammerAnthony/RocketMQC
1,072
283
```xml /** * Mnemonist Types and Named Exports Testing * ========================================== */ import { BiMap, InverseMap, BitSet, BitVector, BKTree, BloomFilter, CircularBuffer, DefaultMap, FibonacciHeap, MinFibonacciHeap, MaxFibonacciHeap, FixedReverseHeap, FixedStack, FuzzyMap, FuzzyMultiMap, HashedArrayTree, Heap, MaxHeap, InvertedIndex, LinkedList, LRUCache, LRUCacheWithDelete, LRUMap, LRUMapWithDelete, MultiSet, MultiMap, PassjoinIndex, Queue, set, SparseSet, Stack, StaticDisjointSet, StaticIntervalTree, SuffixArray, GeneralizedSuffixArray, SymSpell, Trie, TrieMap, Vector, Uint16Vector, VPTree } from 'mnemonist'; /** * BiMap. */ let bimap = new BiMap<string, number>(); bimap.set('one', 1); let inversemap: InverseMap<number, string> = bimap.inverse; inversemap.get(1); /** * BitSet. */ let bitset = new BitSet(4); bitset.set(3); /** * BitVector. */ let bitvector = new BitVector({initialCapacity: 34}); bitvector.set(3); /** * BKTree. */ let bktree: BKTree<string> = BKTree.from(['one', 'two'], (a, b) => 4.0); bktree.search(2, 'three'); /** * BloomFilter. */ let bloomfilter: BloomFilter = new BloomFilter(45); bloomfilter.add('hello'); /** * CircularBuffer. */ let circularbuffer: CircularBuffer<string> = new CircularBuffer(Array, 4); circularbuffer.push('test'); /** * DefaultMap. */ let defaultMap: DefaultMap<string, Array<number>> = new DefaultMap(() => []); defaultMap.get('one').push(1); /** * FibonacciHeap. */ let fibonacciHeap: FibonacciHeap<string> | MinFibonacciHeap<string> = new FibonacciHeap(); fibonacciHeap.push('hello'); fibonacciHeap.pop(); let maxFibonacciHeap: MaxFibonacciHeap<string> = new MaxFibonacciHeap(); maxFibonacciHeap.push('hello'); maxFibonacciHeap.pop(); /** * FixedReverseHeap. */ let fixedReverseHeap: FixedReverseHeap<number> = new FixedReverseHeap(Uint16Array, 3); fixedReverseHeap.push(34); /** * FixedStack. */ let fixedStack: FixedStack<number> = new FixedStack(Uint8Array, 4); fixedStack.push(4); fixedStack.pop(); /** * FuzzyMap. */ let fuzzymap: FuzzyMap<{title: string}, number> = new FuzzyMap(o => o.title); fuzzymap.set({title: 'Hello'}, 45); let fuzzymapadd: FuzzyMap<number, {title: string; n: number}> = new FuzzyMap(o => o.n); fuzzymapadd.add({title: 'Hello', n: 45}); /** * FuzzyMultiMap. */ let fuzzymultimap: FuzzyMultiMap<{title: string}, number> = new FuzzyMultiMap(o => o.title); fuzzymultimap.set({title: 'Hello'}, 45); let fuzzymultimapadd: FuzzyMultiMap<number, {title: string; n: number}> = new FuzzyMultiMap(o => o.n); fuzzymultimapadd.add({title: 'Hello', n: 45}); /** * HashedArrayTree. */ let hashedArrayTree: HashedArrayTree<number> = new HashedArrayTree(Int8Array, 34); hashedArrayTree.push(1); hashedArrayTree.set(0, 4); /** * Heap. */ let heap: Heap<string> | MaxHeap<number> = new Heap((a: string, b: string) => +a - +b); heap.push('hello'); heap.pop(); let maxHeap: MaxHeap<number> = new MaxHeap(); maxHeap.push(45); /** * InvertedIndex. */ let invertedIndex: InvertedIndex<number> = new InvertedIndex(n => ['one', 'two']); invertedIndex.add(45); /** * LinkedList. */ let linkedlist: LinkedList<boolean> = new LinkedList(); linkedlist.push(true); let linkedlistItem: boolean = linkedlist.shift(); /** * LRUCache. */ let lrucache: LRUCache<string, number> = new LRUCache(10); lrucache.set('one', 34); let lrucacheItem: number = lrucache.get('one'); /** * LRUCacheWithDelete */ let lrucwd: LRUCacheWithDelete<string, string> = new LRUCacheWithDelete(10); lrucwd.set('one', 'uno'); let lrucwdItem: string = lrucwd.get('one'); lrucwdItem = lrucwd.remove('one'); let lrucwdDead: string | null = lrucwd.remove('one', null); let lrucwdWasRemoved: boolean = lrucwd.delete('one'); /** * LRUMap. */ let lrumap: LRUMap<string, number> = new LRUMap(10); lrumap.set('one', 34); let lrumapItem: number = lrumap.get('one'); /** * LRUMapWithDelete */ let lrumwd: LRUMapWithDelete<string, string> = new LRUMapWithDelete(10); lrumwd.set('one', 'uno'); let lrumwdItem: string = lrumwd.get('one'); lrumwdItem = lrumwd.remove('one'); let lrumwdDead: string | null = lrumwd.remove('one', null); let lrumwdWasRemoved: boolean = lrumwd.delete('one'); /** * MultiSet. */ let multiset: MultiSet<number> = new MultiSet(); multiset.add(45); multiset = MultiSet.from([1, 2, 3]); multiset = MultiSet.from({'one': 1}); /** * MultiMap. */ let multimap: MultiMap<number, string, Set<string>> = new MultiMap(Set); multimap.set(45, 'test'); multimap.get(45).has('test'); let stringMultimap: MultiMap<string, number> = MultiMap.from({one: 1}); stringMultimap.get('one').indexOf(1); for (const _ of multimap) { } for (const _ of multimap.keys()) { } for (const _ of multimap.values()) { } for (const _ of multimap.entries()) { } for (const _ of multimap.containers()) { } for (const _ of multimap.associations()) { } /** * PassjoinIndex. */ const passjoinIndex: PassjoinIndex<string> = new PassjoinIndex((a: string, b: string) => 0, 1); let passjoinResults: Set<string> = passjoinIndex.search('hello'); /** * Queue. */ let queue = new Queue<number>(); queue.enqueue(45); let queueitem: number = queue.dequeue(); queue.enqueue(45); queue.enqueue(34); queue = Queue.from([1, 2, 3]); queue = Queue.from({0: 1}); let queueIterator: Iterator<number> = queue.values(); /** * set. */ let setA = new Set([1, 2, 3]); let setB = new Set([3, 4, 5]); let unionOfSets = set.union(setA, setB); /** * SparseSet. */ let sparseSet: SparseSet = new SparseSet(45); sparseSet.add(3); /** * Stack. */ let stack = new Stack<number>(); stack.push(45); let stackitem: number = stack.pop(); stack.push(45); stack.push(34); stack = Stack.from([1, 2, 3]); stack = Stack.from({0: 1}); let stackIterator: Iterator<number> = stack.values(); /** * StaticDisjointSet. */ let disjointSet: StaticDisjointSet = new StaticDisjointSet(45); disjointSet.union(3, 5); /** * StaticIntervalTree. */ type Interval = [number, number]; let intervalTree: StaticIntervalTree<Interval> = StaticIntervalTree.from([[0, 1] as Interval, [3, 4] as Interval]); /** * SuffixArray. */ let suffixArray: SuffixArray = new SuffixArray('test'); let generalizedSuffixArray: GeneralizedSuffixArray = new GeneralizedSuffixArray(['test', 'hello']); let suffixArrayLCS: string = generalizedSuffixArray.longestCommonSubsequence() as string; /** * SymSpell. */ let symspell = SymSpell.from(['one', 'two'], {verbosity: 2}); let symspellMatches: Array<any> = symspell.search('three'); /** * Trie. */ let trie = new Trie<string>(); trie.add('roman'); let trieMatches: Array<string> = trie.find('rom'); /** * TrieMap. */ let trieMap = new TrieMap<string, number>(); trieMap.set('roman', 45); let trieMapMatches: Array<[string, number]> = trieMap.find('rom'); trieMap = TrieMap.from(new Map([['roman', 45]])); trieMap = TrieMap.from({roman: 45}); let arrayTrieMap = new TrieMap<string[], number>(Array); arrayTrieMap.set(['the', 'cat', 'eats', 'the', 'mouse'], 45); /** * Vector. */ let vector = new Vector(Uint32Array, 10); vector.push(1); vector.set(0, 2); let uint16vector = Uint16Vector.from([1, 2, 3]); uint16vector.pop(); /** * VPTree. */ let vptree: VPTree<string> = VPTree.from(['hello'], (a: string, b: string) => 1); ```
/content/code_sandbox/test/exports/exports-named-test.ts
xml
2016-10-22T15:53:07
2024-08-14T10:42:21
mnemonist
Yomguithereal/mnemonist
2,255
2,159
```xml import moment from 'moment'; const formatTime = (time: number, options: any) => { options = { showMilliseconds: false, ...options }; const durationFormatted = options.extra ? ` (${format(options.extra, options)})` : ''; return `${format(time, options)}${durationFormatted}`; }; const format = (time: number, {showMilliseconds} = {showMilliseconds: false}) => { const formatString = `${time >= 60 * 60 ? 'hh:m' : ''}m:ss${showMilliseconds ? '.SS' : ''}`; return moment().startOf('day').millisecond(time * 1000).format(formatString); }; export default formatTime; ```
/content/code_sandbox/main/utils/format-time.ts
xml
2016-08-10T19:37:08
2024-08-16T07:01:58
Kap
wulkano/Kap
17,864
154
```xml declare interface IGitHubBadgeWebPartStrings { PropertyPaneDescription: string; BasicGroupName: string; DescriptionFieldLabel: string; GitHubUserNameFieldLabel: string; } declare module 'GitHubBadgeWebPartStrings' { const strings: IGitHubBadgeWebPartStrings; export = strings; } ```
/content/code_sandbox/samples/js-gitHubBadge/src/webparts/gitHubBadge/loc/mystrings.d.ts
xml
2016-08-30T17:21:43
2024-08-16T18:41:32
sp-dev-fx-webparts
pnp/sp-dev-fx-webparts
2,027
68
```xml <?xml version="1.0" encoding="utf-8"?> <bitmap xmlns:android="path_to_url" android:src="@drawable/ic_action_action_search" android:tint="@color/cardview_dark_background"> </bitmap> ```
/content/code_sandbox/Android/app/src/main/res/drawable/search_gray.xml
xml
2016-01-30T13:42:30
2024-08-12T19:21:10
Travel-Mate
project-travel-mate/Travel-Mate
1,292
50
```xml <?xml version="1.0" encoding="UTF-8"?> <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "path_to_url"> <plist version="1.0"> <dict> <key>BuildMachineOSBuild</key> <string>16G29</string> <key>CFBundleDevelopmentRegion</key> <string>English</string> <key>CFBundleExecutable</key> <string>USBInjectAll</string> <key>CFBundleGetInfoString</key> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>CFBundleInfoDictionaryVersion</key> <string>6.0</string> <key>CFBundleName</key> <string>USBInjectAll</string> <key>CFBundlePackageType</key> <string>KEXT</string> <key>CFBundleShortVersionString</key> <string>0.6.2</string> <key>CFBundleSignature</key> <string>????</string> <key>CFBundleSupportedPlatforms</key> <array> <string>MacOSX</string> </array> <key>CFBundleVersion</key> <string>0.6.2</string> <key>DTCompiler</key> <string>com.apple.compilers.llvm.clang.1_0</string> <key>DTPlatformBuild</key> <string>8E3004b</string> <key>DTPlatformVersion</key> <string>GM</string> <key>DTSDKBuild</key> <string>16E185</string> <key>DTSDKName</key> <string>macosx10.12</string> <key>DTXcode</key> <string>0833</string> <key>DTXcodeBuild</key> <string>8E3004b</string> <key>IOKitPersonalities</key> <dict> <key>ConfigurationData</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>Configuration</key> <dict> <key>8086_1e31</key> <dict> <key>port-count</key> <data> CAAAAA== </data> <key>ports</key> <dict> <key>HS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AQAAAA== </data> </dict> <key>HS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AgAAAA== </data> </dict> <key>HS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AwAAAA== </data> </dict> <key>HS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BAAAAA== </data> </dict> <key>SSP5</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BQAAAA== </data> </dict> <key>SSP6</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BgAAAA== </data> </dict> <key>SSP7</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BwAAAA== </data> </dict> <key>SSP8</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CAAAAA== </data> </dict> </dict> </dict> <key>8086_8xxx</key> <dict> <key>port-count</key> <data> FQAAAA== </data> <key>ports</key> <dict> <key>HS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AQAAAA== </data> </dict> <key>HS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AgAAAA== </data> </dict> <key>HS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AwAAAA== </data> </dict> <key>HS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BAAAAA== </data> </dict> <key>HS05</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BQAAAA== </data> </dict> <key>HS06</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BgAAAA== </data> </dict> <key>HS07</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BwAAAA== </data> </dict> <key>HS08</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CAAAAA== </data> </dict> <key>HS09</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CQAAAA== </data> </dict> <key>HS10</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CgAAAA== </data> </dict> <key>HS11</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CwAAAA== </data> </dict> <key>HS12</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DAAAAA== </data> </dict> <key>HS13</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DQAAAA== </data> </dict> <key>HS14</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DgAAAA== </data> </dict> <key>SSP1</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EAAAAA== </data> </dict> <key>SSP2</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EQAAAA== </data> </dict> <key>SSP3</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EgAAAA== </data> </dict> <key>SSP4</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EwAAAA== </data> </dict> <key>SSP5</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FAAAAA== </data> </dict> <key>SSP6</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FQAAAA== </data> </dict> </dict> </dict> <key>8086_9cb1</key> <dict> <key>port-count</key> <data> DwAAAA== </data> <key>ports</key> <dict> <key>HS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AQAAAA== </data> </dict> <key>HS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AgAAAA== </data> </dict> <key>HS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AwAAAA== </data> </dict> <key>HS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BAAAAA== </data> </dict> <key>HS05</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BQAAAA== </data> </dict> <key>HS06</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BgAAAA== </data> </dict> <key>HS07</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BwAAAA== </data> </dict> <key>HS08</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CAAAAA== </data> </dict> <key>HS09</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CQAAAA== </data> </dict> <key>HS10</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CgAAAA== </data> </dict> <key>HS11</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CwAAAA== </data> </dict> <key>SSP1</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DAAAAA== </data> </dict> <key>SSP2</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DQAAAA== </data> </dict> <key>SSP3</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DgAAAA== </data> </dict> <key>SSP4</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DwAAAA== </data> </dict> </dict> </dict> <key>8086_9d2f</key> <dict> <key>port-count</key> <data> EgAAAA== </data> <key>ports</key> <dict> <key>HS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AQAAAA== </data> </dict> <key>HS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AgAAAA== </data> </dict> <key>HS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AwAAAA== </data> </dict> <key>HS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BAAAAA== </data> </dict> <key>HS05</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BQAAAA== </data> </dict> <key>HS06</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BgAAAA== </data> </dict> <key>HS07</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BwAAAA== </data> </dict> <key>HS08</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CAAAAA== </data> </dict> <key>HS09</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CQAAAA== </data> </dict> <key>HS10</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CgAAAA== </data> </dict> <key>SS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DQAAAA== </data> </dict> <key>SS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DgAAAA== </data> </dict> <key>SS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DwAAAA== </data> </dict> <key>SS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EAAAAA== </data> </dict> <key>SS05</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EQAAAA== </data> </dict> <key>SS06</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EgAAAA== </data> </dict> <key>USR1</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CwAAAA== </data> </dict> <key>USR2</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DAAAAA== </data> </dict> </dict> </dict> <key>8086_9xxx</key> <dict> <key>port-count</key> <data> DQAAAA== </data> <key>ports</key> <dict> <key>HS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AQAAAA== </data> </dict> <key>HS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AgAAAA== </data> </dict> <key>HS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AwAAAA== </data> </dict> <key>HS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BAAAAA== </data> </dict> <key>HS05</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BQAAAA== </data> </dict> <key>HS06</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BgAAAA== </data> </dict> <key>HS07</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BwAAAA== </data> </dict> <key>HS08</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CAAAAA== </data> </dict> <key>HS09</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CQAAAA== </data> </dict> <key>SSP1</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CgAAAA== </data> </dict> <key>SSP2</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CwAAAA== </data> </dict> <key>SSP3</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DAAAAA== </data> </dict> <key>SSP4</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DQAAAA== </data> </dict> </dict> </dict> <key>8086_a12f</key> <dict> <key>port-count</key> <data> GgAAAA== </data> <key>ports</key> <dict> <key>HS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AQAAAA== </data> </dict> <key>HS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AgAAAA== </data> </dict> <key>HS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AwAAAA== </data> </dict> <key>HS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BAAAAA== </data> </dict> <key>HS05</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BQAAAA== </data> </dict> <key>HS06</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BgAAAA== </data> </dict> <key>HS07</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BwAAAA== </data> </dict> <key>HS08</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CAAAAA== </data> </dict> <key>HS09</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CQAAAA== </data> </dict> <key>HS10</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CgAAAA== </data> </dict> <key>HS11</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CwAAAA== </data> </dict> <key>HS12</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DAAAAA== </data> </dict> <key>HS13</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DQAAAA== </data> </dict> <key>HS14</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DgAAAA== </data> </dict> <key>SS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EQAAAA== </data> </dict> <key>SS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EgAAAA== </data> </dict> <key>SS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EwAAAA== </data> </dict> <key>SS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FAAAAA== </data> </dict> <key>SS05</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FQAAAA== </data> </dict> <key>SS06</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FgAAAA== </data> </dict> <key>SS07</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FwAAAA== </data> </dict> <key>SS08</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> GAAAAA== </data> </dict> <key>SS09</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> GQAAAA== </data> </dict> <key>SS10</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> GgAAAA== </data> </dict> <key>USR1</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DwAAAA== </data> </dict> <key>USR2</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EAAAAA== </data> </dict> </dict> </dict> <key>8086_a2af</key> <dict> <key>port-count</key> <data> GgAAAA== </data> <key>ports</key> <dict> <key>HS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AQAAAA== </data> </dict> <key>HS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AgAAAA== </data> </dict> <key>HS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> AwAAAA== </data> </dict> <key>HS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BAAAAA== </data> </dict> <key>HS05</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BQAAAA== </data> </dict> <key>HS06</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BgAAAA== </data> </dict> <key>HS07</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> BwAAAA== </data> </dict> <key>HS08</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CAAAAA== </data> </dict> <key>HS09</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CQAAAA== </data> </dict> <key>HS10</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CgAAAA== </data> </dict> <key>HS11</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> CwAAAA== </data> </dict> <key>HS12</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DAAAAA== </data> </dict> <key>HS13</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DQAAAA== </data> </dict> <key>HS14</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DgAAAA== </data> </dict> <key>SS01</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EQAAAA== </data> </dict> <key>SS02</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EgAAAA== </data> </dict> <key>SS03</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EwAAAA== </data> </dict> <key>SS04</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FAAAAA== </data> </dict> <key>SS05</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FQAAAA== </data> </dict> <key>SS06</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FgAAAA== </data> </dict> <key>SS07</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> FwAAAA== </data> </dict> <key>SS08</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> GAAAAA== </data> </dict> <key>SS09</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> GQAAAA== </data> </dict> <key>SS10</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> GgAAAA== </data> </dict> <key>USR1</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> DwAAAA== </data> </dict> <key>USR2</key> <dict> <key>UsbConnector</key> <integer>3</integer> <key>port</key> <data> EAAAAA== </data> </dict> </dict> </dict> <key>EH01</key> <dict> <key>port-count</key> <data> CAAAAA== </data> <key>ports</key> <dict> <key>PR11</key> <dict> <key>UsbConnector</key> <integer>255</integer> <key>port</key> <data> AQAAAA== </data> </dict> <key>PR12</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> AgAAAA== </data> </dict> <key>PR13</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> AwAAAA== </data> </dict> <key>PR14</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> BAAAAA== </data> </dict> <key>PR15</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> BQAAAA== </data> </dict> <key>PR16</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> BgAAAA== </data> </dict> <key>PR17</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> BwAAAA== </data> </dict> <key>PR18</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> CAAAAA== </data> </dict> </dict> </dict> <key>EH02</key> <dict> <key>port-count</key> <data> BgAAAA== </data> <key>ports</key> <dict> <key>PR21</key> <dict> <key>UsbConnector</key> <integer>255</integer> <key>port</key> <data> AQAAAA== </data> </dict> <key>PR22</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> AgAAAA== </data> </dict> <key>PR23</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> AwAAAA== </data> </dict> <key>PR24</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> BAAAAA== </data> </dict> <key>PR25</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> BQAAAA== </data> </dict> <key>PR26</key> <dict> <key>UsbConnector</key> <integer>0</integer> <key>port</key> <data> BgAAAA== </data> </dict> </dict> </dict> <key>HUB1</key> <dict> <key>port-count</key> <data> CAAAAA== </data> <key>ports</key> <dict> <key>HP11</key> <dict> <key>port</key> <data> AQAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP12</key> <dict> <key>port</key> <data> AgAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP13</key> <dict> <key>port</key> <data> AwAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP14</key> <dict> <key>port</key> <data> BAAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP15</key> <dict> <key>port</key> <data> BQAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP16</key> <dict> <key>port</key> <data> BgAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP17</key> <dict> <key>port</key> <data> BwAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP18</key> <dict> <key>port</key> <data> CAAAAA== </data> <key>portType</key> <integer>0</integer> </dict> </dict> </dict> <key>HUB2</key> <dict> <key>port-count</key> <data> CAAAAA== </data> <key>ports</key> <dict> <key>HP21</key> <dict> <key>port</key> <data> AQAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP22</key> <dict> <key>port</key> <data> AgAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP23</key> <dict> <key>port</key> <data> AwAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP24</key> <dict> <key>port</key> <data> BAAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP25</key> <dict> <key>port</key> <data> BQAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP26</key> <dict> <key>port</key> <data> BgAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP27</key> <dict> <key>port</key> <data> BwAAAA== </data> <key>portType</key> <integer>0</integer> </dict> <key>HP28</key> <dict> <key>port</key> <data> CAAAAA== </data> <key>portType</key> <integer>0</integer> </dict> </dict> </dict> </dict> <key>IOClass</key> <string>org_rehabman_USBInjectAll_config</string> <key>IOMatchCategory</key> <string>org_rehabman_USBInjectAll_config</string> <key>IOProviderClass</key> <string>IOResources</string> </dict> <key>MacBook10,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBook10,1</string> </dict> <key>MacBook10,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBook10,1</string> </dict> <key>MacBook10,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBook10,1</string> </dict> <key>MacBook10,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBook10,1</string> </dict> <key>MacBook10,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBook10,1</string> </dict> <key>MacBook10,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBook10,1</string> </dict> <key>MacBook8,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBook8,1</string> </dict> <key>MacBook8,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBook8,1</string> </dict> <key>MacBook8,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBook8,1</string> </dict> <key>MacBook8,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBook8,1</string> </dict> <key>MacBook8,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBook8,1</string> </dict> <key>MacBook8,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBook8,1</string> </dict> <key>MacBook9,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBook9,1</string> </dict> <key>MacBook9,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBook9,1</string> </dict> <key>MacBook9,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBook9,1</string> </dict> <key>MacBook9,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBook9,1</string> </dict> <key>MacBook9,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBook9,1</string> </dict> <key>MacBook9,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBook9,1</string> </dict> <key>MacBookAir4,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookAir4,1</string> </dict> <key>MacBookAir4,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookAir4,1</string> </dict> <key>MacBookAir4,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookAir4,1</string> </dict> <key>MacBookAir4,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookAir4,1</string> </dict> <key>MacBookAir4,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookAir4,1</string> </dict> <key>MacBookAir4,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookAir4,1</string> </dict> <key>MacBookAir4,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookAir4,2</string> </dict> <key>MacBookAir4,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookAir4,2</string> </dict> <key>MacBookAir4,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookAir4,2</string> </dict> <key>MacBookAir4,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookAir4,2</string> </dict> <key>MacBookAir4,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookAir4,2</string> </dict> <key>MacBookAir4,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookAir4,2</string> </dict> <key>MacBookAir5,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookAir5,1</string> </dict> <key>MacBookAir5,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookAir5,1</string> </dict> <key>MacBookAir5,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookAir5,1</string> </dict> <key>MacBookAir5,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookAir5,1</string> </dict> <key>MacBookAir5,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookAir5,1</string> </dict> <key>MacBookAir5,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookAir5,1</string> </dict> <key>MacBookAir5,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookAir5,2</string> </dict> <key>MacBookAir5,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookAir5,2</string> </dict> <key>MacBookAir5,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookAir5,2</string> </dict> <key>MacBookAir5,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookAir5,2</string> </dict> <key>MacBookAir5,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookAir5,2</string> </dict> <key>MacBookAir5,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookAir5,2</string> </dict> <key>MacBookAir6,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookAir6,1</string> </dict> <key>MacBookAir6,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookAir6,1</string> </dict> <key>MacBookAir6,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookAir6,1</string> </dict> <key>MacBookAir6,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookAir6,1</string> </dict> <key>MacBookAir6,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookAir6,1</string> </dict> <key>MacBookAir6,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookAir6,1</string> </dict> <key>MacBookAir6,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookAir6,2</string> </dict> <key>MacBookAir6,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookAir6,2</string> </dict> <key>MacBookAir6,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookAir6,2</string> </dict> <key>MacBookAir6,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookAir6,2</string> </dict> <key>MacBookAir6,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookAir6,2</string> </dict> <key>MacBookAir6,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookAir6,2</string> </dict> <key>MacBookAir7,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookAir7,1</string> </dict> <key>MacBookAir7,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookAir7,1</string> </dict> <key>MacBookAir7,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookAir7,1</string> </dict> <key>MacBookAir7,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookAir7,1</string> </dict> <key>MacBookAir7,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookAir7,1</string> </dict> <key>MacBookAir7,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookAir7,1</string> </dict> <key>MacBookAir7,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookAir7,2</string> </dict> <key>MacBookAir7,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookAir7,2</string> </dict> <key>MacBookAir7,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookAir7,2</string> </dict> <key>MacBookAir7,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookAir7,2</string> </dict> <key>MacBookAir7,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookAir7,2</string> </dict> <key>MacBookAir7,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookAir7,2</string> </dict> <key>MacBookPro10,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro10,1</string> </dict> <key>MacBookPro10,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro10,1</string> </dict> <key>MacBookPro10,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro10,1</string> </dict> <key>MacBookPro10,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro10,1</string> </dict> <key>MacBookPro10,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro10,1</string> </dict> <key>MacBookPro10,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro10,1</string> </dict> <key>MacBookPro11,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro11,1</string> </dict> <key>MacBookPro11,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro11,1</string> </dict> <key>MacBookPro11,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro11,1</string> </dict> <key>MacBookPro11,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro11,1</string> </dict> <key>MacBookPro11,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro11,1</string> </dict> <key>MacBookPro11,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro11,1</string> </dict> <key>MacBookPro11,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro11,2</string> </dict> <key>MacBookPro11,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro11,2</string> </dict> <key>MacBookPro11,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro11,2</string> </dict> <key>MacBookPro11,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro11,2</string> </dict> <key>MacBookPro11,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro11,2</string> </dict> <key>MacBookPro11,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro11,2</string> </dict> <key>MacBookPro11,3-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro11,3</string> </dict> <key>MacBookPro11,3-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro11,3</string> </dict> <key>MacBookPro11,3-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro11,3</string> </dict> <key>MacBookPro11,3-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro11,3</string> </dict> <key>MacBookPro11,3-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro11,3</string> </dict> <key>MacBookPro11,3-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro11,3</string> </dict> <key>MacBookPro11,4-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro11,4</string> </dict> <key>MacBookPro11,4-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro11,4</string> </dict> <key>MacBookPro11,4-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro11,4</string> </dict> <key>MacBookPro11,4-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro11,4</string> </dict> <key>MacBookPro11,4-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro11,4</string> </dict> <key>MacBookPro11,4-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro11,4</string> </dict> <key>MacBookPro11,5-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro11,5</string> </dict> <key>MacBookPro11,5-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro11,5</string> </dict> <key>MacBookPro11,5-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro11,5</string> </dict> <key>MacBookPro11,5-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro11,5</string> </dict> <key>MacBookPro11,5-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro11,5</string> </dict> <key>MacBookPro11,5-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro11,5</string> </dict> <key>MacBookPro12,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro12,1</string> </dict> <key>MacBookPro12,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro12,1</string> </dict> <key>MacBookPro12,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro12,1</string> </dict> <key>MacBookPro12,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro12,1</string> </dict> <key>MacBookPro12,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro12,1</string> </dict> <key>MacBookPro12,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro12,1</string> </dict> <key>MacBookPro12,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro12,2</string> </dict> <key>MacBookPro12,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro12,2</string> </dict> <key>MacBookPro12,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro12,2</string> </dict> <key>MacBookPro12,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro12,2</string> </dict> <key>MacBookPro12,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro12,2</string> </dict> <key>MacBookPro12,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro12,2</string> </dict> <key>MacBookPro13,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro13,1</string> </dict> <key>MacBookPro13,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro13,1</string> </dict> <key>MacBookPro13,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro13,1</string> </dict> <key>MacBookPro13,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro13,1</string> </dict> <key>MacBookPro13,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro13,1</string> </dict> <key>MacBookPro13,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro13,1</string> </dict> <key>MacBookPro13,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro13,2</string> </dict> <key>MacBookPro13,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro13,2</string> </dict> <key>MacBookPro13,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro13,2</string> </dict> <key>MacBookPro13,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro13,2</string> </dict> <key>MacBookPro13,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro13,2</string> </dict> <key>MacBookPro13,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro13,2</string> </dict> <key>MacBookPro13,3-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro13,3</string> </dict> <key>MacBookPro13,3-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro13,3</string> </dict> <key>MacBookPro13,3-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro13,3</string> </dict> <key>MacBookPro13,3-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro13,3</string> </dict> <key>MacBookPro13,3-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro13,3</string> </dict> <key>MacBookPro13,3-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro13,3</string> </dict> <key>MacBookPro14,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro14,1</string> </dict> <key>MacBookPro14,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro14,1</string> </dict> <key>MacBookPro14,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro14,1</string> </dict> <key>MacBookPro14,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro14,1</string> </dict> <key>MacBookPro14,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro14,1</string> </dict> <key>MacBookPro14,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro14,1</string> </dict> <key>MacBookPro14,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro14,2</string> </dict> <key>MacBookPro14,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro14,2</string> </dict> <key>MacBookPro14,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro14,2</string> </dict> <key>MacBookPro14,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro14,2</string> </dict> <key>MacBookPro14,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro14,2</string> </dict> <key>MacBookPro14,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro14,2</string> </dict> <key>MacBookPro14,3-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro14,3</string> </dict> <key>MacBookPro14,3-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro14,3</string> </dict> <key>MacBookPro14,3-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro14,3</string> </dict> <key>MacBookPro14,3-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro14,3</string> </dict> <key>MacBookPro14,3-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro14,3</string> </dict> <key>MacBookPro14,3-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro14,3</string> </dict> <key>MacBookPro6,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro6,1</string> </dict> <key>MacBookPro6,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro6,1</string> </dict> <key>MacBookPro6,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro6,1</string> </dict> <key>MacBookPro6,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro6,1</string> </dict> <key>MacBookPro6,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro6,1</string> </dict> <key>MacBookPro6,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro6,1</string> </dict> <key>MacBookPro6,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro6,2</string> </dict> <key>MacBookPro6,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro6,2</string> </dict> <key>MacBookPro6,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro6,2</string> </dict> <key>MacBookPro6,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro6,2</string> </dict> <key>MacBookPro6,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro6,2</string> </dict> <key>MacBookPro6,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro6,2</string> </dict> <key>MacBookPro7,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro7,1</string> </dict> <key>MacBookPro7,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro7,1</string> </dict> <key>MacBookPro7,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro7,1</string> </dict> <key>MacBookPro7,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro7,1</string> </dict> <key>MacBookPro7,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro7,1</string> </dict> <key>MacBookPro7,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro7,1</string> </dict> <key>MacBookPro8,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro8,1</string> </dict> <key>MacBookPro8,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro8,1</string> </dict> <key>MacBookPro8,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro8,1</string> </dict> <key>MacBookPro8,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro8,1</string> </dict> <key>MacBookPro8,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro8,1</string> </dict> <key>MacBookPro8,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro8,1</string> </dict> <key>MacBookPro8,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro8,2</string> </dict> <key>MacBookPro8,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro8,2</string> </dict> <key>MacBookPro8,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro8,2</string> </dict> <key>MacBookPro8,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro8,2</string> </dict> <key>MacBookPro8,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro8,2</string> </dict> <key>MacBookPro8,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro8,2</string> </dict> <key>MacBookPro8,3-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro8,3</string> </dict> <key>MacBookPro8,3-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro8,3</string> </dict> <key>MacBookPro8,3-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro8,3</string> </dict> <key>MacBookPro8,3-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro8,3</string> </dict> <key>MacBookPro8,3-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro8,3</string> </dict> <key>MacBookPro8,3-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro8,3</string> </dict> <key>MacBookPro9,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro9,1</string> </dict> <key>MacBookPro9,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro9,1</string> </dict> <key>MacBookPro9,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro9,1</string> </dict> <key>MacBookPro9,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro9,1</string> </dict> <key>MacBookPro9,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro9,1</string> </dict> <key>MacBookPro9,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro9,1</string> </dict> <key>MacBookPro9,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookPro9,2</string> </dict> <key>MacBookPro9,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookPro9,2</string> </dict> <key>MacBookPro9,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookPro9,2</string> </dict> <key>MacBookPro9,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookPro9,2</string> </dict> <key>MacBookPro9,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookPro9,2</string> </dict> <key>MacBookPro9,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookPro9,2</string> </dict> <key>MacBookpro10,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacBookpro10,2</string> </dict> <key>MacBookpro10,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacBookpro10,2</string> </dict> <key>MacBookpro10,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacBookpro10,2</string> </dict> <key>MacBookpro10,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacBookpro10,2</string> </dict> <key>MacBookpro10,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacBookpro10,2</string> </dict> <key>MacBookpro10,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacBookpro10,2</string> </dict> <key>MacPro3,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacPro3,1</string> </dict> <key>MacPro3,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacPro3,1</string> </dict> <key>MacPro3,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacPro3,1</string> </dict> <key>MacPro3,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacPro3,1</string> </dict> <key>MacPro3,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacPro3,1</string> </dict> <key>MacPro3,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacPro3,1</string> </dict> <key>MacPro4,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacPro4,1</string> </dict> <key>MacPro4,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacPro4,1</string> </dict> <key>MacPro4,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacPro4,1</string> </dict> <key>MacPro4,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacPro4,1</string> </dict> <key>MacPro4,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacPro4,1</string> </dict> <key>MacPro4,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacPro4,1</string> </dict> <key>MacPro5,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacPro5,1</string> </dict> <key>MacPro5,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacPro5,1</string> </dict> <key>MacPro5,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacPro5,1</string> </dict> <key>MacPro5,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacPro5,1</string> </dict> <key>MacPro5,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacPro5,1</string> </dict> <key>MacPro5,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacPro5,1</string> </dict> <key>MacPro6,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>MacPro6,1</string> </dict> <key>MacPro6,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>MacPro6,1</string> </dict> <key>MacPro6,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>MacPro6,1</string> </dict> <key>MacPro6,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>MacPro6,1</string> </dict> <key>MacPro6,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>MacPro6,1</string> </dict> <key>MacPro6,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>MacPro6,1</string> </dict> <key>Macmini5,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>Macmini5,1</string> </dict> <key>Macmini5,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>Macmini5,1</string> </dict> <key>Macmini5,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>Macmini5,1</string> </dict> <key>Macmini5,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>Macmini5,1</string> </dict> <key>Macmini5,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>Macmini5,1</string> </dict> <key>Macmini5,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>Macmini5,1</string> </dict> <key>Macmini5,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>Macmini5,2</string> </dict> <key>Macmini5,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>Macmini5,2</string> </dict> <key>Macmini5,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>Macmini5,2</string> </dict> <key>Macmini5,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>Macmini5,2</string> </dict> <key>Macmini5,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>Macmini5,2</string> </dict> <key>Macmini5,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>Macmini5,2</string> </dict> <key>Macmini5,3-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>Macmini5,3</string> </dict> <key>Macmini5,3-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>Macmini5,3</string> </dict> <key>Macmini5,3-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>Macmini5,3</string> </dict> <key>Macmini5,3-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>Macmini5,3</string> </dict> <key>Macmini5,3-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>Macmini5,3</string> </dict> <key>Macmini5,3-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>Macmini5,3</string> </dict> <key>Macmini6,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>Macmini6,1</string> </dict> <key>Macmini6,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>Macmini6,1</string> </dict> <key>Macmini6,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>Macmini6,1</string> </dict> <key>Macmini6,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>Macmini6,1</string> </dict> <key>Macmini6,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>Macmini6,1</string> </dict> <key>Macmini6,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>Macmini6,1</string> </dict> <key>Macmini6,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>Macmini6,2</string> </dict> <key>Macmini6,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>Macmini6,2</string> </dict> <key>Macmini6,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>Macmini6,2</string> </dict> <key>Macmini6,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>Macmini6,2</string> </dict> <key>Macmini6,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>Macmini6,2</string> </dict> <key>Macmini6,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>Macmini6,2</string> </dict> <key>Macmini7,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>Macmini7,1</string> </dict> <key>Macmini7,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>Macmini7,1</string> </dict> <key>Macmini7,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>Macmini7,1</string> </dict> <key>Macmini7,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>Macmini7,1</string> </dict> <key>Macmini7,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>Macmini7,1</string> </dict> <key>Macmini7,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>Macmini7,1</string> </dict> <key>iMac10,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac10,1</string> </dict> <key>iMac10,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac10,1</string> </dict> <key>iMac10,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac10,1</string> </dict> <key>iMac10,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac10,1</string> </dict> <key>iMac10,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac10,1</string> </dict> <key>iMac10,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac10,1</string> </dict> <key>iMac11,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac11,1</string> </dict> <key>iMac11,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac11,1</string> </dict> <key>iMac11,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac11,1</string> </dict> <key>iMac11,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac11,1</string> </dict> <key>iMac11,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac11,1</string> </dict> <key>iMac11,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac11,1</string> </dict> <key>iMac11,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac11,2</string> </dict> <key>iMac11,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac11,2</string> </dict> <key>iMac11,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac11,2</string> </dict> <key>iMac11,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac11,2</string> </dict> <key>iMac11,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac11,2</string> </dict> <key>iMac11,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac11,2</string> </dict> <key>iMac11,3-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac11,3</string> </dict> <key>iMac11,3-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac11,3</string> </dict> <key>iMac11,3-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac11,3</string> </dict> <key>iMac11,3-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac11,3</string> </dict> <key>iMac11,3-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac11,3</string> </dict> <key>iMac11,3-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac11,3</string> </dict> <key>iMac12,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac12,1</string> </dict> <key>iMac12,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac12,1</string> </dict> <key>iMac12,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac12,1</string> </dict> <key>iMac12,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac12,1</string> </dict> <key>iMac12,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac12,1</string> </dict> <key>iMac12,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac12,1</string> </dict> <key>iMac12,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac12,2</string> </dict> <key>iMac12,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac12,2</string> </dict> <key>iMac12,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac12,2</string> </dict> <key>iMac12,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac12,2</string> </dict> <key>iMac12,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac12,2</string> </dict> <key>iMac12,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac12,2</string> </dict> <key>iMac13,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac13,1</string> </dict> <key>iMac13,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac13,1</string> </dict> <key>iMac13,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac13,1</string> </dict> <key>iMac13,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac13,1</string> </dict> <key>iMac13,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac13,1</string> </dict> <key>iMac13,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac13,1</string> </dict> <key>iMac13,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac13,2</string> </dict> <key>iMac13,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac13,2</string> </dict> <key>iMac13,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac13,2</string> </dict> <key>iMac13,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac13,2</string> </dict> <key>iMac13,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac13,2</string> </dict> <key>iMac13,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac13,2</string> </dict> <key>iMac14,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac14,1</string> </dict> <key>iMac14,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac14,1</string> </dict> <key>iMac14,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac14,1</string> </dict> <key>iMac14,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac14,1</string> </dict> <key>iMac14,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac14,1</string> </dict> <key>iMac14,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac14,1</string> </dict> <key>iMac14,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac14,2</string> </dict> <key>iMac14,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac14,2</string> </dict> <key>iMac14,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac14,2</string> </dict> <key>iMac14,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac14,2</string> </dict> <key>iMac14,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac14,2</string> </dict> <key>iMac14,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac14,2</string> </dict> <key>iMac14,3-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac14,3</string> </dict> <key>iMac14,3-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac14,3</string> </dict> <key>iMac14,3-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac14,3</string> </dict> <key>iMac14,3-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac14,3</string> </dict> <key>iMac14,3-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac14,3</string> </dict> <key>iMac14,3-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac14,3</string> </dict> <key>iMac15,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac15,1</string> </dict> <key>iMac15,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac15,1</string> </dict> <key>iMac15,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac15,1</string> </dict> <key>iMac15,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac15,1</string> </dict> <key>iMac15,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac15,1</string> </dict> <key>iMac15,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac15,1</string> </dict> <key>iMac16,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac16,1</string> </dict> <key>iMac16,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac16,1</string> </dict> <key>iMac16,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac16,1</string> </dict> <key>iMac16,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac16,1</string> </dict> <key>iMac16,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac16,1</string> </dict> <key>iMac16,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac16,1</string> </dict> <key>iMac16,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac16,2</string> </dict> <key>iMac16,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac16,2</string> </dict> <key>iMac16,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac16,2</string> </dict> <key>iMac16,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac16,2</string> </dict> <key>iMac16,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac16,2</string> </dict> <key>iMac16,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac16,2</string> </dict> <key>iMac17,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac17,1</string> </dict> <key>iMac17,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac17,1</string> </dict> <key>iMac17,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac17,1</string> </dict> <key>iMac17,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac17,1</string> </dict> <key>iMac17,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac17,1</string> </dict> <key>iMac17,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac17,1</string> </dict> <key>iMac18,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac18,1</string> </dict> <key>iMac18,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac18,1</string> </dict> <key>iMac18,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac18,1</string> </dict> <key>iMac18,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac18,1</string> </dict> <key>iMac18,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac18,1</string> </dict> <key>iMac18,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac18,1</string> </dict> <key>iMac18,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac18,2</string> </dict> <key>iMac18,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac18,2</string> </dict> <key>iMac18,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac18,2</string> </dict> <key>iMac18,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac18,2</string> </dict> <key>iMac18,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac18,2</string> </dict> <key>iMac18,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac18,2</string> </dict> <key>iMac18,3-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac18,3</string> </dict> <key>iMac18,3-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac18,3</string> </dict> <key>iMac18,3-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac18,3</string> </dict> <key>iMac18,3-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac18,3</string> </dict> <key>iMac18,3-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac18,3</string> </dict> <key>iMac18,3-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac18,3</string> </dict> <key>iMac4,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac4,1</string> </dict> <key>iMac4,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac4,1</string> </dict> <key>iMac4,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac4,1</string> </dict> <key>iMac4,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac4,1</string> </dict> <key>iMac4,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac4,1</string> </dict> <key>iMac4,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac4,1</string> </dict> <key>iMac4,2-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac4,2</string> </dict> <key>iMac4,2-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac4,2</string> </dict> <key>iMac4,2-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac4,2</string> </dict> <key>iMac4,2-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac4,2</string> </dict> <key>iMac4,2-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac4,2</string> </dict> <key>iMac4,2-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac4,2</string> </dict> <key>iMac5,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac5,1</string> </dict> <key>iMac5,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac5,1</string> </dict> <key>iMac5,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac5,1</string> </dict> <key>iMac5,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac5,1</string> </dict> <key>iMac5,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac5,1</string> </dict> <key>iMac5,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac5,1</string> </dict> <key>iMac6,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac6,1</string> </dict> <key>iMac6,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac6,1</string> </dict> <key>iMac6,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac6,1</string> </dict> <key>iMac6,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac6,1</string> </dict> <key>iMac6,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac6,1</string> </dict> <key>iMac6,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac6,1</string> </dict> <key>iMac7,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac7,1</string> </dict> <key>iMac7,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac7,1</string> </dict> <key>iMac7,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac7,1</string> </dict> <key>iMac7,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac7,1</string> </dict> <key>iMac7,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac7,1</string> </dict> <key>iMac7,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac7,1</string> </dict> <key>iMac8,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac8,1</string> </dict> <key>iMac8,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac8,1</string> </dict> <key>iMac8,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac8,1</string> </dict> <key>iMac8,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac8,1</string> </dict> <key>iMac8,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac8,1</string> </dict> <key>iMac8,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac8,1</string> </dict> <key>iMac9,1-AppeBusPowerControllerUSB</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProviderClass</key> <string>AppleBusPowerControllerUSB</string> <key>kConfigurationName</key> <string>AppleBusPowerControllerUSB</string> <key>model</key> <string>iMac9,1</string> </dict> <key>iMac9,1-EH01</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH01</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH01</string> <key>model</key> <string>iMac9,1</string> </dict> <key>iMac9,1-EH01-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB1</string> <key>locationID</key> <integer>487587840</integer> <key>model</key> <string>iMac9,1</string> </dict> <key>iMac9,1-EH02</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>EH02</string> <key>IOProviderClass</key> <string>AppleUSBEHCIPCI</string> <key>kConfigurationName</key> <string>EH02</string> <key>model</key> <string>iMac9,1</string> </dict> <key>iMac9,1-EH02-internal-hub</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IOProbeScore</key> <integer>5000</integer> <key>IOProviderClass</key> <string>AppleUSB20InternalHub</string> <key>kConfigurationName</key> <string>HUB2</string> <key>locationID</key> <integer>437256192</integer> <key>model</key> <string>iMac9,1</string> </dict> <key>iMac9,1-XHC</key> <dict> <key>CFBundleIdentifier</key> <string>com.rehabman.driver.USBInjectAll</string> <key>IOClass</key> <string>org_rehabman_USBInjectAll</string> <key>IONameMatch</key> <string>XHC</string> <key>IOProviderClass</key> <string>AppleUSBXHCIPCI</string> <key>kConfigurationName</key> <string>XHC</string> <key>kIsXHC</key> <true/> <key>model</key> <string>iMac9,1</string> </dict> </dict> <key>OSBundleLibraries</key> <dict> <key>com.apple.iokit.IOACPIFamily</key> <string>1.0d1</string> <key>com.apple.iokit.IOPCIFamily</key> <string>1.0.0b1</string> <key>com.apple.kpi.iokit</key> <string>9.0.0</string> <key>com.apple.kpi.libkern</key> <string>9.0.0</string> </dict> <key>OSBundleRequired</key> <string>Root</string> <key>Source Code</key> <string>path_to_url </dict> </plist> ```
/content/code_sandbox/Clover-Configs/Dell/Dell E6230/CLOVER/kexts/Other/USBInjectAll.kext/Contents/Info.plist
xml
2016-11-05T04:22:54
2024-08-12T19:25:53
Hackintosh-Installer-University
huangyz0918/Hackintosh-Installer-University
3,937
81,349
```xml // See LICENSE.txt for license information. import type TeamModel from './team'; import type {Relation, Model} from '@nozbe/watermelondb'; /** * The TeamChannelHistory model helps keeping track of the last channel visited * by the user. */ declare class TeamChannelHistoryModel extends Model { /** table (name) : TeamChannelHistory */ static table: string; /** channel_ids : An array containing the last 5 channels visited within this team order by recency */ channelIds: string[]; /** team : The related record from the parent Team model */ team: Relation<TeamModel>; } export default TeamChannelHistoryModel; ```
/content/code_sandbox/types/database/models/servers/team_channel_history.ts
xml
2016-10-07T16:52:32
2024-08-16T12:08:38
mattermost-mobile
mattermost/mattermost-mobile
2,155
139
```xml <vector xmlns:android="path_to_url" android:height="34.0dp" android:tint="?attr/colorControlNormal" android:viewportHeight="15" android:viewportWidth="15" android:width="34.0dp"> <path android:fillColor="@android:color/white" android:pathData="M9,0.5l-2,1v3.7734L2,8v6h4v-4h3&#10;&#9;v4h4V8L8,5.2734V4l1-0.5l2,1l2-1v-3l-2,1L9,0.5z"/> </vector> ```
/content/code_sandbox/app/src/main/res/drawable/ic_preset_maki_ranger_station.xml
xml
2016-07-02T10:44:04
2024-08-16T18:55:54
StreetComplete
streetcomplete/StreetComplete
3,781
151
```xml <?xml version="1.0" encoding="utf-8"?> <Project DefaultTargets="Build" ToolsVersion="14.0" xmlns="path_to_url"> <ItemGroup Label="ProjectConfigurations"> <ProjectConfiguration Include="Debug|Win32"> <Configuration>Debug</Configuration> <Platform>Win32</Platform> </ProjectConfiguration> <ProjectConfiguration Include="Debug|x64"> <Configuration>Debug</Configuration> <Platform>x64</Platform> </ProjectConfiguration> <ProjectConfiguration Include="Release|Win32"> <Configuration>Release</Configuration> <Platform>Win32</Platform> </ProjectConfiguration> <ProjectConfiguration Include="Release|x64"> <Configuration>Release</Configuration> <Platform>x64</Platform> </ProjectConfiguration> </ItemGroup> <PropertyGroup Label="Globals"> <ProjectGuid>{8638A3D8-D121-40BF-82E5-127F1B1B2CB2}</ProjectGuid> <RootNamespace>endian_example</RootNamespace> <Keyword>Win32Proj</Keyword> </PropertyGroup> <Import Project="$(VCTargetsPath)\Microsoft.Cpp.Default.props" /> <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Release|Win32'" Label="Configuration"> <ConfigurationType>Application</ConfigurationType> <CharacterSet>Unicode</CharacterSet> <WholeProgramOptimization>true</WholeProgramOptimization> <PlatformToolset>v140</PlatformToolset> </PropertyGroup> <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'" Label="Configuration"> <ConfigurationType>Application</ConfigurationType> <CharacterSet>Unicode</CharacterSet> <WholeProgramOptimization>true</WholeProgramOptimization> <PlatformToolset>v140</PlatformToolset> </PropertyGroup> <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'" Label="Configuration"> <ConfigurationType>Application</ConfigurationType> <CharacterSet>Unicode</CharacterSet> <PlatformToolset>v140</PlatformToolset> </PropertyGroup> <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Debug|x64'" Label="Configuration"> <ConfigurationType>Application</ConfigurationType> <CharacterSet>Unicode</CharacterSet> <PlatformToolset>v140</PlatformToolset> </PropertyGroup> <Import Project="$(VCTargetsPath)\Microsoft.Cpp.props" /> <ImportGroup Label="ExtensionSettings"> </ImportGroup> <ImportGroup Condition="'$(Configuration)|$(Platform)'=='Release|Win32'" Label="PropertySheets"> <Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" /> <Import Project="..\common.props" /> </ImportGroup> <ImportGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'" Label="PropertySheets"> <Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" /> <Import Project="..\common.props" /> </ImportGroup> <ImportGroup Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'" Label="PropertySheets"> <Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" /> <Import Project="..\common.props" /> </ImportGroup> <ImportGroup Condition="'$(Configuration)|$(Platform)'=='Debug|x64'" Label="PropertySheets"> <Import Project="$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props" Condition="exists('$(UserRootDir)\Microsoft.Cpp.$(Platform).user.props')" Label="LocalAppDataPlatform" /> <Import Project="..\common.props" /> </ImportGroup> <PropertyGroup Label="UserMacros" /> <PropertyGroup> <_ProjectFileVersion>10.0.30319.1</_ProjectFileVersion> <OutDir Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'">$(SolutionDir)$(Configuration)\</OutDir> <IntDir Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'">$(Configuration)\</IntDir> <LinkIncremental Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'">true</LinkIncremental> <LinkIncremental Condition="'$(Configuration)|$(Platform)'=='Debug|x64'">true</LinkIncremental> <OutDir Condition="'$(Configuration)|$(Platform)'=='Release|Win32'">$(SolutionDir)$(Configuration)\</OutDir> <IntDir Condition="'$(Configuration)|$(Platform)'=='Release|Win32'">$(Configuration)\</IntDir> <LinkIncremental Condition="'$(Configuration)|$(Platform)'=='Release|Win32'">false</LinkIncremental> <LinkIncremental Condition="'$(Configuration)|$(Platform)'=='Release|x64'">false</LinkIncremental> </PropertyGroup> <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'"> <ExecutablePath>..\..\..\..\..\stage\lib;$(VC_ExecutablePath_x64);$(WindowsSDK_ExecutablePath);$(VS_ExecutablePath);$(MSBuild_ExecutablePath);$(SystemRoot)\SysWow64;$(FxCopDir);$(PATH);</ExecutablePath> </PropertyGroup> <PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Debug|x64'"> <ExecutablePath>..\..\..\..\..\stage\lib;$(VC_ExecutablePath_x64);$(WindowsSDK_ExecutablePath);$(VS_ExecutablePath);$(MSBuild_ExecutablePath);$(SystemRoot)\SysWow64;$(FxCopDir);$(PATH);</ExecutablePath> </PropertyGroup> <ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Debug|Win32'"> <ClCompile> <Optimization>Disabled</Optimization> <PreprocessorDefinitions>WIN32;_DEBUG;_CONSOLE;%(PreprocessorDefinitions)</PreprocessorDefinitions> <MinimalRebuild>true</MinimalRebuild> <BasicRuntimeChecks>EnableFastChecks</BasicRuntimeChecks> <RuntimeLibrary>MultiThreadedDebugDLL</RuntimeLibrary> <PrecompiledHeader> </PrecompiledHeader> <DebugInformationFormat>EditAndContinue</DebugInformationFormat> <WarningLevel>Level3</WarningLevel> </ClCompile> <Link> <GenerateDebugInformation>true</GenerateDebugInformation> <SubSystem>Console</SubSystem> <TargetMachine>MachineX86</TargetMachine> </Link> </ItemDefinitionGroup> <ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Debug|x64'"> <ClCompile> <Optimization>Disabled</Optimization> <PreprocessorDefinitions>WIN32;_DEBUG;_CONSOLE;%(PreprocessorDefinitions)</PreprocessorDefinitions> <BasicRuntimeChecks>EnableFastChecks</BasicRuntimeChecks> <RuntimeLibrary>MultiThreadedDebugDLL</RuntimeLibrary> <PrecompiledHeader> </PrecompiledHeader> <DebugInformationFormat>ProgramDatabase</DebugInformationFormat> <WarningLevel>Level3</WarningLevel> </ClCompile> <Link> <GenerateDebugInformation>true</GenerateDebugInformation> <SubSystem>Console</SubSystem> </Link> </ItemDefinitionGroup> <ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Release|Win32'"> <ClCompile> <Optimization>MaxSpeed</Optimization> <IntrinsicFunctions>true</IntrinsicFunctions> <PreprocessorDefinitions>WIN32;NDEBUG;_CONSOLE;%(PreprocessorDefinitions)</PreprocessorDefinitions> <RuntimeLibrary>MultiThreadedDLL</RuntimeLibrary> <FunctionLevelLinking>true</FunctionLevelLinking> <PrecompiledHeader> </PrecompiledHeader> <DebugInformationFormat>ProgramDatabase</DebugInformationFormat> <WarningLevel>Level3</WarningLevel> </ClCompile> <Link> <GenerateDebugInformation>true</GenerateDebugInformation> <SubSystem>Console</SubSystem> <OptimizeReferences>true</OptimizeReferences> <EnableCOMDATFolding>true</EnableCOMDATFolding> <TargetMachine>MachineX86</TargetMachine> </Link> </ItemDefinitionGroup> <ItemDefinitionGroup Condition="'$(Configuration)|$(Platform)'=='Release|x64'"> <ClCompile> <Optimization>MaxSpeed</Optimization> <IntrinsicFunctions>true</IntrinsicFunctions> <PreprocessorDefinitions>WIN32;NDEBUG;_CONSOLE;%(PreprocessorDefinitions)</PreprocessorDefinitions> <RuntimeLibrary>MultiThreadedDLL</RuntimeLibrary> <FunctionLevelLinking>true</FunctionLevelLinking> <PrecompiledHeader> </PrecompiledHeader> <DebugInformationFormat>ProgramDatabase</DebugInformationFormat> <WarningLevel>Level3</WarningLevel> </ClCompile> <Link> <GenerateDebugInformation>true</GenerateDebugInformation> <SubSystem>Console</SubSystem> <OptimizeReferences>true</OptimizeReferences> <EnableCOMDATFolding>true</EnableCOMDATFolding> </Link> </ItemDefinitionGroup> <ItemGroup> <ClCompile Include="..\..\..\example\endian_example.cpp" /> </ItemGroup> <Import Project="$(VCTargetsPath)\Microsoft.Cpp.targets" /> <ImportGroup Label="ExtensionTargets"> </ImportGroup> </Project> ```
/content/code_sandbox/deps/boost_1_66_0/libs/endian/test/msvc/endian_example/endian_example.vcxproj
xml
2016-09-05T10:18:44
2024-08-11T13:21:40
LiquidCore
LiquidPlayer/LiquidCore
1,010
2,133
```xml // This fails if the `type` keyword is removed import { type usePathname } from 'next/navigation'; ```
/content/code_sandbox/crates/next-custom-transforms/tests/fixture/react-server-components/pack-3186/output.ts
xml
2016-10-05T23:32:51
2024-08-16T19:44:30
next.js
vercel/next.js
124,056
25
```xml import { Component, EventEmitter, OnDestroy, OnInit, Output } from '@angular/core'; import { Subscription } from 'rxjs'; import { CustomDevice } from '../../../models/device.model'; import { DeviceService } from '../../../services/device/device.service'; import { ParticipantService } from '../../../services/participant/participant.service'; import { StorageService } from '../../../services/storage/storage.service'; import { ParticipantModel } from '../../../models/participant.model'; /** * @internal */ @Component({ selector: 'ov-video-devices-select', templateUrl: './video-devices.component.html', styleUrls: ['./video-devices.component.scss'] }) export class VideoDevicesComponent implements OnInit, OnDestroy { @Output() onVideoDeviceChanged = new EventEmitter<CustomDevice>(); @Output() onVideoEnabledChanged = new EventEmitter<boolean>(); cameraStatusChanging: boolean; isCameraEnabled: boolean; cameraSelected: CustomDevice | undefined; hasVideoDevices: boolean; cameras: CustomDevice[] = []; localParticipantSubscription: Subscription; constructor( private storageSrv: StorageService, private deviceSrv: DeviceService, private participantService: ParticipantService ) {} async ngOnInit() { this.subscribeToParticipantMediaProperties(); this.hasVideoDevices = this.deviceSrv.hasVideoDeviceAvailable(); if (this.hasVideoDevices) { this.cameras = this.deviceSrv.getCameras(); this.cameraSelected = this.deviceSrv.getCameraSelected(); } this.isCameraEnabled = this.participantService.isMyCameraEnabled(); } async ngOnDestroy() { this.cameras = []; if (this.localParticipantSubscription) this.localParticipantSubscription.unsubscribe(); } async toggleCam(event: any) { event.stopPropagation(); this.cameraStatusChanging = true; this.isCameraEnabled = !this.isCameraEnabled; await this.participantService.setCameraEnabled(this.isCameraEnabled); this.storageSrv.setCameraEnabled(this.isCameraEnabled); this.onVideoEnabledChanged.emit(this.isCameraEnabled); this.cameraStatusChanging = false; } async onCameraSelected(event: any) { const device: CustomDevice = event?.value; // Is New deviceId different from the old one? if (this.deviceSrv.needUpdateVideoTrack(device)) { // const mirror = this.deviceSrv.cameraNeedsMirror(device.device); // Reapply Virtual Background to new Publisher if necessary // const backgroundSelected = this.backgroundService.backgroundSelected.getValue(); // const isBackgroundApplied = this.backgroundService.isBackgroundApplied(); // if (isBackgroundApplied) { // await this.backgroundService.removeBackground(); // } // const pp: PublisherProperties = { videoSource: device.device, audioSource: false, mirror }; // const publisher = this.participantService.getMyCameraPublisher(); // await this.openviduService.replaceCameraTrack(publisher, pp); this.cameraStatusChanging = true; await this.participantService.switchCamera(device.device); // if (isBackgroundApplied) { // const bgSelected = this.backgroundService.backgrounds.find((b) => b.id === backgroundSelected); // if (bgSelected) { // await this.backgroundService.applyBackground(bgSelected); // } // } this.deviceSrv.setCameraSelected(device.device); this.cameraSelected = this.deviceSrv.getCameraSelected(); this.cameraStatusChanging = false; this.onVideoDeviceChanged.emit(this.cameraSelected); } } /** * @internal * Compare two devices to check if they are the same. Used by the mat-select */ compareObjectDevices(o1: CustomDevice, o2: CustomDevice): boolean { return o1.label === o2.label; } /** * This subscription is necessary to update the camera status when the user changes it from toolbar and * the settings panel is opened. With this, the camera status is updated in the settings panel. */ private subscribeToParticipantMediaProperties() { this.localParticipantSubscription = this.participantService.localParticipant$.subscribe((p: ParticipantModel | undefined) => { if (p) { this.isCameraEnabled = p.isCameraEnabled; this.storageSrv.setCameraEnabled(this.isCameraEnabled); } }); } } ```
/content/code_sandbox/openvidu-components-angular/projects/openvidu-components-angular/src/lib/components/settings/video-devices/video-devices.component.ts
xml
2016-10-10T13:31:27
2024-08-15T12:14:04
openvidu
OpenVidu/openvidu
1,859
917
```xml <Project Sdk="Microsoft.NET.Sdk"> <PropertyGroup> <OutputType>Exe</OutputType> <TargetFramework>netcoreapp3.1</TargetFramework> </PropertyGroup> <ItemGroup> <PackageReference Include="Microsoft.CodeQuality.Analyzers" Version="2.9.6"> <PrivateAssets>all</PrivateAssets> <IncludeAssets>runtime; build; native; contentfiles; analyzers</IncludeAssets> </PackageReference> </ItemGroup> <ItemGroup> <ProjectReference Include="../library/library.csproj" /> </ItemGroup> </Project> ```
/content/code_sandbox/test/TestAssets/dotnet-format/for_code_formatter/analyzers_solution/console_project/console_project.csproj
xml
2016-07-22T21:26:02
2024-08-16T17:23:58
sdk
dotnet/sdk
2,627
136
```xml <resources> <string name="app_name">bsbexample</string> </resources> ```
/content/code_sandbox/example/android/app/src/main/res/values/strings.xml
xml
2016-08-12T08:43:45
2024-06-11T03:58:27
react-native-bottom-sheet-behavior
cesardeazevedo/react-native-bottom-sheet-behavior
1,153
21
```xml <?xml version="1.0" encoding="utf-8"?> <?include $(sys.SOURCEFILEDIR)\VCCRT_Win32.wxi ?> <?include $(sys.SOURCEFILEDIR)\VCCRT_Shared_Header.wxi ?> <Wix xmlns="path_to_url"> <?include $(sys.SOURCEFILEDIR)\VCCRT_Shared_Body.wxi ?> </Wix> ```
/content/code_sandbox/builds/win32/msvc15/VCCRT_Win32.wxs
xml
2016-03-16T06:10:37
2024-08-16T14:13:51
firebird
FirebirdSQL/firebird
1,223
83
```xml import { CancellationToken, Disposable, Event, TreeDataProvider, Uri } from 'vscode'; export interface LiveShareExtension { getApi(version: string): Promise<LiveShare | null>; } export interface LiveShare { readonly session: Session; readonly onDidChangeSession: Event<SessionChangeEvent>; share(options?: ShareOptions): Promise<Uri | null>; shareService(name: string): Promise<SharedService | null>; unshareService(name: string): Promise<void>; getSharedService(name: string): Promise<SharedServiceProxy | null>; convertLocalUriToShared(localUri: Uri): Uri; convertSharedUriToLocal(sharedUri: Uri): Uri; getContacts(emails: string[]): Promise<Contacts>; } export const enum Access { None = 0, ReadOnly = 1, ReadWrite = 3, Owner = 0xff, } export const enum Role { None = 0, Host = 1, Guest = 2, } export interface Session { readonly id: string | null; readonly role: Role; readonly access: Access; } export interface SessionChangeEvent { readonly session: Session; } export interface Contact { readonly onDidChange: Event<string[]>; readonly id: string; readonly email: string; readonly displayName?: string; readonly status?: string; readonly avatarUri?: string; invite(options?: ContactInviteOptions): Promise<boolean>; } export interface Contacts { readonly contacts: { [email: string]: Contact }; dispose(): Promise<void>; } export interface ContactInviteOptions { useEmail?: boolean; } export interface SharedService { readonly isServiceAvailable: boolean; readonly onDidChangeIsServiceAvailable: Event<boolean>; onRequest(name: string, handler: RequestHandler): void; onNotify(name: string, handler: NotifyHandler): void; notify(name: string, args: object): void; } export interface SharedServiceProxy { readonly isServiceAvailable: boolean; readonly onDidChangeIsServiceAvailable: Event<boolean>; onNotify(name: string, handler: NotifyHandler): void; request<T>(name: string, args: any[], cancellation?: CancellationToken): Promise<T>; notify(name: string, args: object): void; } export interface SharedServiceProxyError extends Error {} export interface SharedServiceResponseError extends Error { remoteStack?: string; } export interface RequestHandler { (args: any[], cancellation: CancellationToken): any | Promise<any>; } export interface NotifyHandler { (args: object): void; } ```
/content/code_sandbox/src/@types/vsls.d.ts
xml
2016-08-08T14:50:30
2024-08-15T21:25:09
vscode-gitlens
gitkraken/vscode-gitlens
8,889
521
```xml import { BaseResponse } from "../../../models/response/base.response"; export class KeyConnectorUserKeyResponse extends BaseResponse { key: string; constructor(response: any) { super(response); this.key = this.getResponseProperty("Key"); } } ```
/content/code_sandbox/libs/common/src/auth/models/response/key-connector-user-key.response.ts
xml
2016-03-09T23:14:01
2024-08-16T15:07:51
clients
bitwarden/clients
8,877
53
```xml <vector xmlns:android="path_to_url" android:width="24dp" android:height="24dp" android:viewportWidth="24" android:viewportHeight="24" android:tint="?attr/colorControlNormal"> <path android:fillColor="@android:color/white" android:pathData="M12,2C6.48,2 2,6.48 2,12s4.48,10 10,10 10,-4.48 10,-10S17.52,2 12,2zM13,17h-2v-6h2v6zM13,9h-2L11,7h2v2z"/> </vector> ```
/content/code_sandbox/app/src/main/res/drawable/ic_info_filled_24dp.xml
xml
2016-07-02T10:44:04
2024-08-16T18:55:54
StreetComplete
streetcomplete/StreetComplete
3,781
157
```xml import type { FC } from 'react'; import { Button } from '@proton/atoms/Button'; import { Icon } from '@proton/components/index'; import { useMonitor } from '@proton/pass/components/Monitor/MonitorProvider'; import { MAX_CUSTOM_ADDRESSES } from '@proton/pass/constants'; export const CustomAddressAddButton: FC = () => { const { breaches, addAddress } = useMonitor(); const disabled = breaches.data.custom.length >= MAX_CUSTOM_ADDRESSES; return ( <Button icon pill size="small" shape="solid" color="weak" disabled={disabled} onClick={addAddress}> <Icon name="plus" /> </Button> ); }; ```
/content/code_sandbox/packages/pass/components/Monitor/Address/CustomAddressAddButton.tsx
xml
2016-06-08T11:16:51
2024-08-16T14:14:27
WebClients
ProtonMail/WebClients
4,300
148
```xml import { Stack } from '@mobily/stacks'; import React from 'react'; import { ScrollView } from 'react-native-gesture-handler'; import UISourceDisplayMolecule from './UISourceDisplayMolecule'; import BoxNucleon from './nucleons/BoxNucleon'; import IconNucleon from './nucleons/IconNucleon'; import { useNuclearContentWidth } from './nucleons/useContentWidthContext'; import { PropsWithStyle } from './nucleons/types'; import { TNodeTransformDisplayProps } from '@doc/pages'; import UICardContainer from './UICardContainer'; export type TNodeTransformDisplayOrganismProps = PropsWithStyle< TNodeTransformDisplayProps & { style?: any } >; function TNodeTransformDisplayOrganismInner({ html, snaphost }: TNodeTransformDisplayOrganismProps) { const contentWidth = useNuclearContentWidth(); const sourceDisplayStyle = { minWidth: contentWidth }; return ( <Stack space={2}> <ScrollView style={{ flexGrow: 0 }} contentContainerStyle={{ flexGrow: 1 }} horizontal> <UISourceDisplayMolecule paddingVertical={2} style={sourceDisplayStyle} content={html} language="html" showLineNumbers={false} /> </ScrollView> <BoxNucleon alignX="center"> <IconNucleon size={30} name="transfer-down" /> </BoxNucleon> <ScrollView style={{ flexGrow: 0 }} contentContainerStyle={{ flexGrow: 1 }} horizontal> <UISourceDisplayMolecule paddingVertical={2} style={sourceDisplayStyle} content={snaphost} language="xml" showLineNumbers={false} /> </ScrollView> </Stack> ); } export default function TNodeTransformDisplayOrganism( props: TNodeTransformDisplayOrganismProps ) { return ( <UICardContainer caption={props.caption} title={props.title} style={props.style}> <TNodeTransformDisplayOrganismInner {...props} /> </UICardContainer> ); } ```
/content/code_sandbox/apps/discovery/src/components/TNodeTransformDisplayOrganism.tsx
xml
2016-11-29T10:50:53
2024-08-08T06:53:22
react-native-render-html
meliorence/react-native-render-html
3,445
475
```xml import { DefaultLinkModel, DefaultLinkModelOptions } from '@projectstorm/react-diagrams-defaults'; import { RightAngleLinkFactory } from './RightAngleLinkFactory'; import { PointModel } from '@projectstorm/react-diagrams-core'; import { DeserializeEvent } from '@projectstorm/react-canvas-core'; export class RightAngleLinkModel extends DefaultLinkModel { lastHoverIndexOfPath: number; private _lastPathXdirection: boolean; private _firstPathXdirection: boolean; constructor(options: DefaultLinkModelOptions = {}) { super({ type: RightAngleLinkFactory.NAME, ...options }); this.lastHoverIndexOfPath = 0; this._lastPathXdirection = false; this._firstPathXdirection = false; } setFirstAndLastPathsDirection() { let points = this.getPoints(); for (let i = 1; i < points.length; i += points.length - 2) { let dx = Math.abs(points[i].getX() - points[i - 1].getX()); let dy = Math.abs(points[i].getY() - points[i - 1].getY()); if (i - 1 === 0) { this._firstPathXdirection = dx > dy; } else { this._lastPathXdirection = dx > dy; } } } // @ts-ignore addPoint<P extends PointModel>(pointModel: P, index: number = 1): P { // @ts-ignore super.addPoint(pointModel, index); this.setFirstAndLastPathsDirection(); return pointModel; } deserialize(event: DeserializeEvent<this>) { super.deserialize(event); this.setFirstAndLastPathsDirection(); } setManuallyFirstAndLastPathsDirection(first, last) { this._firstPathXdirection = first; this._lastPathXdirection = last; } getLastPathXdirection(): boolean { return this._lastPathXdirection; } getFirstPathXdirection(): boolean { return this._firstPathXdirection; } setWidth(width: number) { this.options.width = width; this.fireEvent({ width }, 'widthChanged'); } setColor(color: string) { this.options.color = color; this.fireEvent({ color }, 'colorChanged'); } } ```
/content/code_sandbox/packages/react-diagrams-routing/src/link/RightAngleLinkModel.ts
xml
2016-06-03T09:10:01
2024-08-16T15:25:38
react-diagrams
projectstorm/react-diagrams
8,568
502
```xml /* * one or more contributor license agreements. See the NOTICE file distributed * with this work for additional information regarding copyright ownership. */ import {Children, Fragment, ReactElement, ReactNode} from 'react'; export default function ignoreFragments(children?: ReactNode): ReactElement[] { if (isFragment(children)) { return ignoreFragments(children.props.children); } return Children.toArray(children) .filter(isReactElement) .reduce<ReactElement[]>((arr, child) => { if (isFragment(child)) { return arr.concat(...ignoreFragments(child.props.children)); } return [...arr, child]; }, []); } function isFragment(child: ReactNode): child is ReactElement<{children?: ReactNode}> { return isReactElement(child) && child.type === Fragment; } function isReactElement(child: ReactNode): child is ReactElement { return !!child && typeof child === 'object' && 'type' in child; } ```
/content/code_sandbox/optimize/client/src/modules/services/ignoreFragments.tsx
xml
2016-03-20T03:38:04
2024-08-16T19:59:58
camunda
camunda/camunda
3,172
204
```xml <resources> <string name="app_name">DropdownAlertExample</string> </resources> ```
/content/code_sandbox/example/android/app/src/main/res/values/strings.xml
xml
2016-06-27T03:09:07
2024-08-16T01:38:02
react-native-dropdownalert
testshallpass/react-native-dropdownalert
1,849
21
```xml <?xml version="1.0" encoding="utf-8"?> Use of this source code is governed by a BSD-style license that can be found in the LICENSE file. --> <LinearLayout xmlns:android="path_to_url" android:layout_width="match_parent" android:layout_height="match_parent" android:orientation="horizontal" android:gravity="center_vertical" style="@android:style/Theme.Holo.Light"> <view class="org.chromium.chrome.browser.widget.findinpage.FindToolbar$FindQuery" android:id="@+id/find_query" android:layout_width="0dp" android:layout_weight="1" android:layout_height="match_parent" android:layout_gravity="center_vertical" android:layout_marginStart="16dp" android:background="@null" android:hint="@string/hint_find_in_page" android:imeOptions="actionSearch|flagNoExtractUi" android:singleLine="true" android:textSize="16sp" android:textColor="@color/find_in_page_query_color" /> <TextView android:id="@+id/find_status" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_marginStart="12dp" android:layout_marginEnd="16dp" android:background="@null" android:singleLine="true" android:textSize="12sp" android:textColor="@color/find_in_page_results_status_color" /> <View android:id="@+id/find_separator" android:layout_width="1dp" android:layout_height="match_parent" android:layout_marginTop="8dp" android:layout_marginBottom="8dp" android:background="#000000" android:alpha="0.1" /> <org.chromium.chrome.browser.widget.TintedImageButton android:id="@+id/find_prev_button" style="@style/ToolbarButton" android:layout_height="match_parent" android:src="@drawable/ic_collapsed" android:contentDescription="@string/accessibility_find_toolbar_btn_prev" /> <org.chromium.chrome.browser.widget.TintedImageButton android:id="@+id/find_next_button" style="@style/ToolbarButton" android:layout_height="match_parent" android:src="@drawable/ic_expanded" android:contentDescription="@string/accessibility_find_toolbar_btn_next" /> <org.chromium.chrome.browser.widget.TintedImageButton android:id="@+id/close_find_button" style="@style/ToolbarButton" android:layout_height="match_parent" android:src="@drawable/btn_close" android:contentDescription="@string/close" /> </LinearLayout> ```
/content/code_sandbox/libraries_res/chrome_res/src/main/res/layout/find_in_page.xml
xml
2016-07-04T07:28:36
2024-08-15T05:20:42
AndroidChromium
JackyAndroid/AndroidChromium
3,090
586
```xml import { Localized } from "@fluent/react/compat"; import React, { FunctionComponent } from "react"; import { Marker } from "coral-ui/components/v2"; import styles from "./StatusMarker.css"; interface Props { enabled: boolean; } const StatusMarker: FunctionComponent<Props> = ({ enabled }) => enabled ? ( <Localized id="configure-webhooks-enabledWebhookEndpoint"> <Marker className={styles.success}>Enabled</Marker> </Localized> ) : ( <Localized id="configure-webhooks-disabledWebhookEndpoint"> <Marker className={styles.error}>Disabled</Marker> </Localized> ); export default StatusMarker; ```
/content/code_sandbox/client/src/core/client/admin/routes/Configure/sections/WebhookEndpoints/StatusMarker.tsx
xml
2016-10-31T16:14:05
2024-08-06T16:15:57
talk
coralproject/talk
1,881
141
```xml <?xml version="1.0"?> <?xml-stylesheet type="text/xsl" href="configuration.xsl"?> <!-- contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. path_to_url Unless required by applicable law or agreed to in writing, software WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. --> <!-- Hive configuration for Impala quickstart docker cluster. --> <configuration> <property> <!-- Required for automatic metadata sync. --> <name>hive.metastore.dml.events</name> <value>true</value> </property> <property> <!-- User impala is not authorized to consume notifications by default, disable authentication to work around this. --> <name>hive.metastore.event.db.notification.api.auth</name> <value>false</value> </property> <property> <name>hive.metastore.uris</name> <value>thrift://quickstart-hive-metastore:9083</value> </property> <!-- Managed and external tablespaces must live on the Docker volumes that we configure for the quickstart cluster. --> <property> <name>hive.metastore.warehouse.dir</name> <value>/user/hive/warehouse/managed</value> </property> <property> <name>hive.metastore.warehouse.external.dir</name> <value>/user/hive/warehouse/external</value> </property> <property> <!-- Required to enable Hive transactions --> <name>hive.support.concurrency</name> <value>true</value> </property> <property> <!-- Required to enable Hive transactions --> <name>hive.txn.manager</name> <value>org.apache.hadoop.hive.ql.lockmgr.DbTxnManager</value> </property> <property> <!-- Use embedded Derby database --> <name>javax.jdo.option.ConnectionDriverName</name> <value>org.apache.derby.jdbc.EmbeddedDriver</value> </property> <property> <!-- Use embedded Derby database --> <name>javax.jdo.option.ConnectionURL</name> <value>jdbc:derby:;databaseName=/var/lib/hive/metastore/metastore_db;create=true</value> </property> <!-- Hive stats autogathering negatively affects latency of DDL operations, etc and is not particularly useful for Impala --> <property> <name>hive.stats.autogather</name> <value>false</value> </property> </configuration> ```
/content/code_sandbox/docker/quickstart_conf/hive-site.xml
xml
2016-04-13T07:00:08
2024-08-16T10:10:44
impala
apache/impala
1,115
572
```xml <n:ExWindow x:Class="ScreenToGif.Windows.Other.FeedbackPreview" xmlns="path_to_url" xmlns:x="path_to_url" xmlns:n="clr-namespace:ScreenToGif.Controls" Title="Feedback Preview" Height="600" Width="700" MinHeight="450" MinWidth="700" WindowStartupLocation="CenterScreen" Icon="/ScreenToGif;component/Resources/Logo.ico" Loaded="FeedbackPreview_Loaded"> <Grid> <Grid.RowDefinitions> <RowDefinition/> <RowDefinition Height="40"/> </Grid.RowDefinitions> <WebBrowser Grid.Row="0" x:Name="MainBrowser"/> <Grid Grid.Row="1" Background="{DynamicResource Panel.Background.Level3}" Height="40"> <Grid.ColumnDefinitions> <ColumnDefinition/> <ColumnDefinition Width="Auto" MinWidth="100"/> </Grid.ColumnDefinitions> <TextBlock Grid.Column="0" TextAlignment="Center" VerticalAlignment="Center" Margin="5" Text="{DynamicResource S.Feedback.Preview.Info}" Foreground="{DynamicResource Element.Foreground.Header}"/> <n:ExtendedButton Grid.Column="1" x:Name="CancelButton" Text="{DynamicResource S.Ok}" Icon="{StaticResource Vector.Ok}" ContentWidth="18" ContentHeight="18" Padding="5,0" MinWidth="90" Margin="5" Click="OkButton_Click" IsCancel="True"/> </Grid> </Grid> </n:ExWindow> ```
/content/code_sandbox/ScreenToGif/Windows/Other/FeedbackPreview.xaml
xml
2016-08-02T01:28:59
2024-08-16T05:33:15
ScreenToGif
NickeManarin/ScreenToGif
23,310
326
```xml <?xml version="1.0" encoding="utf-8"?> <!DOCTYPE TS> <TS version="2.1" language="cs_CZ" sourcelanguage="en"> <context> <name>AddFilmstripFramesPopup</name> <message> <source>Add Frames</source> <translation>Pidat snmky</translation> </message> <message> <source>From Frame:</source> <translation>Od snmku:</translation> </message> <message> <source>To Frame:</source> <translation>Po snmek:</translation> </message> <message> <source>Step:</source> <translation>Krok:</translation> </message> <message> <source>Add</source> <translation>Pidat</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> </context> <context> <name>AdjustLevelsPopup</name> <message> <source>Adjust Levels</source> <translation>Pizpsobit rovn</translation> </message> <message> <source>Clamp</source> <translation>Svorka</translation> </message> <message> <source>Auto</source> <translation>Automaticky</translation> </message> <message> <source>Reset</source> <translation>Obnovit vchoz</translation> </message> <message> <source>Apply</source> <translation>Pout</translation> </message> </context> <context> <name>AdjustThicknessPopup</name> <message> <source>Adjust Thickness</source> <translation>Pizpsobit tlouku</translation> </message> <message> <source>Mode:</source> <translation>Reim:</translation> </message> <message> <source>Scale Thickness</source> <translation>Zmnit velikost tlouky</translation> </message> <message> <source>Add Thickness</source> <translation>Pidat tlouku</translation> </message> <message> <source>Constant Thickness</source> <translation>Stl tlouka</translation> </message> <message> <source>Start:</source> <translation>Zatek:</translation> </message> <message> <source>End:</source> <translation>Konec:</translation> </message> <message> <source>Apply</source> <translation>Pout</translation> </message> </context> <context> <name>AntialiasPopup</name> <message> <source>Apply Antialias</source> <translation>Pout vyhlazovn</translation> </message> <message> <source>Threshold:</source> <translation>Prh:</translation> </message> <message> <source>Softness:</source> <translation>Jemnost:</translation> </message> <message> <source>Apply</source> <translation>Pout</translation> </message> </context> <context> <name>ApplyMatchlinesCommand</name> <message> <source>It is not possible to apply the match lines because no column was selected.</source> <translation type="vanished">Nen mon pout dlic ry, protoe nebyl vybrn dn sloupec.</translation> </message> <message> <source>It is not possible to apply the match lines because two columns have to be selected.</source> <translation type="vanished">Je mon pout dlic ry, protoe mus bt vybrny dva sloupce.</translation> </message> </context> <context> <name>AudioRecordingPopup</name> <message> <source>Audio Recording</source> <translation>Nahrvn zvuku</translation> </message> <message> <source>Save and Insert</source> <translation>Uloit a vloit</translation> </message> <message> <source>Sync with XSheet</source> <translation type="vanished">Sedit se zbrem</translation> </message> <message> <source> </source> <translation> </translation> </message> <message> <source>The microphone is not available: Please select a different device or check the microphone.</source> <translation type="vanished">Mikrofon nen dostupn: Vyberte, prosm, jin zazen nebo provte mikrofon.</translation> </message> <message> <source>Sync with XSheet/Timeline</source> <translation type="unfinished"></translation> </message> <message> <source>Device: </source> <translation type="unfinished"></translation> </message> <message> <source>Sample rate: </source> <translation type="unfinished"></translation> </message> <message> <source>Sample format: </source> <translation type="unfinished"></translation> </message> <message> <source>8000 Hz</source> <translation type="unfinished"></translation> </message> <message> <source>11025 Hz</source> <translation type="unfinished"></translation> </message> <message> <source>22050 Hz</source> <translation type="unfinished"></translation> </message> <message> <source>44100 Hz</source> <translation type="unfinished"></translation> </message> <message> <source>48000 Hz</source> <translation type="unfinished"></translation> </message> <message> <source>96000 Hz</source> <translation type="unfinished"></translation> </message> <message> <source>Mono 8-Bits</source> <translation type="unfinished"></translation> </message> <message> <source>Stereo 8-Bits</source> <translation type="unfinished"></translation> </message> <message> <source>Mono 16-Bits</source> <translation type="unfinished"></translation> </message> <message> <source>Stereo 16-Bits</source> <translation type="unfinished"></translation> </message> <message> <source>Audio input device to record</source> <translation type="unfinished"></translation> </message> <message> <source>Number of samples per second, 44.1KHz = CD Quality</source> <translation type="unfinished"></translation> </message> <message> <source>Number of channels and bits per sample, 16-bits recommended</source> <translation type="unfinished"></translation> </message> <message> <source>Play animation from current frame while recording/playback</source> <translation type="unfinished"></translation> </message> <message> <source>Save recording and insert into new column</source> <translation type="unfinished"></translation> </message> <message> <source>Refresh list of connected audio input devices</source> <translation type="unfinished"></translation> </message> <message> <source>Record failed: Make sure there&apos;s XSheet or Timeline in the room.</source> <translation type="unfinished"></translation> </message> <message> <source>Failed to save WAV file: Make sure you have write permissions in folder.</source> <translation type="unfinished"></translation> </message> <message> <source>Audio format unsupported: Nearest format will be internally used.</source> <translation type="unfinished"></translation> </message> <message> <source>192000 Hz</source> <translation type="unfinished"></translation> </message> <message> <source>Mono 24-Bits</source> <translation type="unfinished"></translation> </message> <message> <source>Stereo 24-Bits</source> <translation type="unfinished"></translation> </message> <message> <source>Mono 32-Bits</source> <translation type="unfinished"></translation> </message> <message> <source>Stereo 32-Bits</source> <translation type="unfinished"></translation> </message> </context> <context> <name>AutoInputCellNumberPopup</name> <message> <source>Auto Input Cell Number</source> <translation>Automaticky vloit slo buky</translation> </message> <message> <source>Overwrite</source> <translation>Pepsat</translation> </message> <message> <source>Insert</source> <translation>Vloit</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Setting this value 0 will automatically pick up all frames in the selected level.</source> <translation>Nastaven tto hodnoty na 0 automaticky sebere vechny snmky ve vybran rovni.</translation> </message> <message> <source>From frame</source> <translation>Od snmku</translation> </message> <message> <source> </source> <comment>from frame</comment> <translation> </translation> </message> <message> <source>with</source> <translation>s</translation> </message> <message> <source>frames increment</source> <translation>prstkem snmk</translation> </message> <message> <source>To frame</source> <translation>Po snmek</translation> </message> <message> <source> </source> <comment>to frame</comment> <translation> </translation> </message> <message> <source>inserting</source> <translation>vloenm</translation> </message> <message> <source>empty cell intervals</source> <translation>przdnch interval bunk</translation> </message> <message> <source>cell steps</source> <translation>krok buky</translation> </message> <message> <source>Repeat</source> <translation>Opakovat</translation> </message> <message> <source>times</source> <translation>krt</translation> </message> <message> <source>No available cells or columns are selected.</source> <translation>Nejsou vybrny dn dostupn buky nebo sloupce.</translation> </message> <message> <source>Selected level has no frames between From and To.</source> <translation>Vybran rove nem dn snmky mezi Od a Do.</translation> </message> </context> <context> <name>AutoLipSyncPopup</name> <message> <source>Auto Lip Sync</source> <translation type="unfinished"></translation> </message> <message> <source>Apply</source> <translation type="unfinished"></translation> </message> <message> <source>A I Drawing</source> <translation type="unfinished">Kresba A I</translation> </message> <message> <source>O Drawing</source> <translation type="unfinished">Kresba O</translation> </message> <message> <source>E Drawing</source> <translation type="unfinished">Kresba E</translation> </message> <message> <source>U Drawing</source> <translation type="unfinished">Kresba U</translation> </message> <message> <source>L Drawing</source> <translation type="unfinished">Kresba L</translation> </message> <message> <source>W Q Drawing</source> <translation type="unfinished">Kresba W Q</translation> </message> <message> <source>M B P Drawing</source> <translation type="unfinished">Kresba M B P</translation> </message> <message> <source>F V Drawing</source> <translation type="unfinished">Kresba F V</translation> </message> <message> <source>Rest Drawing</source> <translation type="unfinished">Kresba zbytku</translation> </message> <message> <source>C D G K N R S Th Y Z</source> <translation type="unfinished">C D G K N R S Th Y Z</translation> </message> <message> <source>Extend Rest Drawing to End Marker</source> <translation type="unfinished">Rozit kresbu zbytku po znaku pro zastaven</translation> </message> <message> <source>Audio Source: </source> <translation type="unfinished"></translation> </message> <message> <source>Audio Script (Optional, Improves accuracy): </source> <translation type="unfinished"></translation> </message> <message> <source>A script significantly increases the accuracy of the lip sync.</source> <translation type="unfinished"></translation> </message> <message> <source>Previous Drawing</source> <translation type="unfinished">Pedchoz obraz</translation> </message> <message> <source>Next Drawing</source> <translation type="unfinished">Dal obraz</translation> </message> <message> <source>Insert at Frame: </source> <translation type="unfinished">Vloit snmek: </translation> </message> <message> <source>Thumbnails are not available for sub-Xsheets. Please use the frame numbers for reference.</source> <translation type="unfinished">Nhledy nejsou dostupn pro podzbry. Pro odkaz, prosm, pouijte sla snmk.</translation> </message> <message> <source>Unable to apply lip sync data to this column type</source> <translation type="unfinished">Data pro synchronizace okraje nelze pout pro tento typ sloupce</translation> </message> <message> <source>Rhubarb not found, please set the location in Preferences.</source> <translation type="unfinished"></translation> </message> <message> <source>Choose File...</source> <translation type="unfinished"></translation> </message> <message> <source>Please choose an audio file and try again.</source> <translation type="unfinished"></translation> </message> <message> <source>Rhubarb Processing Error: </source> <translation type="unfinished"></translation> </message> <message> <source>Please choose a lip sync data file to continue.</source> <translation type="unfinished"></translation> </message> <message> <source>Cannot find the file specified. Please choose a valid lip sync data file to continue.</source> <translation type="unfinished"></translation> </message> <message> <source>Unable to open the file: </source> <translation type="unfinished">Nelze otevt soubor: </translation> </message> <message> <source>Invalid data file. Please choose a valid lip sync data file to continue.</source> <translation type="unfinished"></translation> </message> <message> <source>SubXSheet Frame </source> <translation type="unfinished">Snmek v podzbru </translation> </message> <message> <source>Drawing: </source> <translation type="unfinished">Kresba: </translation> </message> </context> <context> <name>AutocenterPopup</name> <message> <source>Autocenter</source> <translation>Automatick vystedn</translation> </message> <message> <source>Pegbar Holes:</source> <translation>Dry pruhu na kolky:</translation> </message> <message> <source>Field Guide:</source> <translation>Praktick vod:</translation> </message> </context> <context> <name>BaseViewerPanel</name> <message> <source>GUI Show / Hide</source> <translation type="unfinished">Ukzat/Skrt rozhran</translation> </message> <message> <source>Playback Toolbar</source> <translation type="unfinished">Nstrojov pruh pro pehrvn</translation> </message> <message> <source>Frame Slider</source> <translation type="unfinished">Posuvnk snmku</translation> </message> <message> <source>Safe Area (Right Click to Select)</source> <translation type="unfinished">Bezpen oblast (klepnut pravm tlatkem myi pro vybrn)</translation> </message> <message> <source>Field Guide</source> <translation type="unfinished">Praktick vod</translation> </message> <message> <source>Camera Stand View</source> <translation type="unfinished"></translation> </message> <message> <source>3D View</source> <translation type="unfinished">Trojrozmrn pohled</translation> </message> <message> <source>Camera View</source> <translation type="unfinished">Pohled kamery</translation> </message> <message> <source>Freeze</source> <translation type="unfinished">Pozastavit</translation> </message> <message> <source>Preview</source> <translation type="unfinished">Nhled</translation> </message> <message> <source>Sub-camera Preview</source> <translation type="unfinished">Nhled na podkameru</translation> </message> <message> <source>Untitled</source> <translation type="unfinished">Bez nzvu</translation> </message> <message> <source>Scene: </source> <translation type="unfinished"></translation> </message> <message> <source> :: Frame: </source> <translation type="unfinished"></translation> </message> <message> <source> :: Zoom : </source> <translation type="unfinished"></translation> </message> <message> <source> (Flipped)</source> <translation type="unfinished"> (pevrceno)</translation> </message> <message> <source> :: Level: </source> <translation type="unfinished"></translation> </message> <message> <source>Level: </source> <translation type="unfinished"></translation> </message> </context> <context> <name>BatchServersViewer</name> <message> <source>Process with:</source> <translation>Zpracovat s:</translation> </message> <message> <source>Local</source> <translation>Mstn</translation> </message> <message> <source>Render Farm</source> <translation>Zpracovatelsk statek</translation> </message> <message> <source>Name:</source> <translation>Nzev:</translation> </message> <message> <source>IP Address:</source> <translation>Adresa IP:</translation> </message> <message> <source>Port Number:</source> <translation>slo ppojky:</translation> </message> <message> <source>Tasks:</source> <translation>koly:</translation> </message> <message> <source>State:</source> <translation>Stav:</translation> </message> <message> <source>Number of CPU:</source> <translation>Poet CPU:</translation> </message> <message> <source>Physical Memory:</source> <translation>Fyzick pam:</translation> </message> <message> <source>Farm Global Root:</source> <translation>Celkov root statku:</translation> </message> <message> <source>In order to use the render farm you have to define the Farm Global Root first.</source> <translation>Pro pouit zpracovatelskho statku, muste nejprve stanovit celkov koen statku.</translation> </message> <message> <source>The Farm Global Root folder doesn&apos;t exist Please create this folder before using the render farm.</source> <translation>Celkov koen statku neexistuje. Vytvote, prosm, tuto sloku, pedtm ne zpracovatelsk statek pouijete.</translation> </message> <message> <source>Unable to connect to the ToonzFarm Controller The Controller should run on %1 at port %2 Please start the Controller before using the ToonzFarm</source> <translation>Nelze se spojit s ovladaem ToonzFarm. Ovlada by ml bet na %1 na ppojce (port) %2. Spuste, prosm, ovlada, pedtm ne ToonzFarm pouijete</translation> </message> </context> <context> <name>BatchesController</name> <message> <source>Tasks</source> <translation>koly</translation> </message> <message> <source>The Task List is empty!</source> <translation>Seznam kol je przdn!</translation> </message> <message> <source>The current task list has been modified. Do you want to save your changes?</source> <translation>Seznam nynjch loh byl zmnn. Chcete uloit sv zmny?</translation> </message> <message> <source>Save</source> <translation>Uloit</translation> </message> <message> <source>Discard</source> <translation>Zahodit</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>The %1 task is currently active. Stop it or wait for its completion before removing it.</source> <translation>loha %1 je nyn inn. Zastavte ji nebo pokejte na jej dokonen, pedtm ne ji odstrante.</translation> </message> </context> <context> <name>BinarizePopup</name> <message> <source>Binarize</source> <translation>Pevst na binrn</translation> </message> <message> <source>Alpha</source> <translation>Alfa kanl</translation> </message> <message> <source>Preview</source> <translation>Nhled</translation> </message> <message> <source>Apply</source> <translation>Pout</translation> </message> <message> <source>No raster frames selected</source> <translation>Nebyly vybrny dn rastrov obrzky</translation> </message> <message> <source>Binarizing images</source> <translation>Pevst obrzky na binrn</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> </context> <context> <name>BoardSettingsPopup</name> <message> <source>Clapperboard Settings</source> <translation>Nastaven filmov klapky</translation> </message> <message> <source>Load Preset</source> <translation>Nahrt pednastaven</translation> </message> <message> <source>Save as Preset</source> <translation>Uloit jako pednastaven</translation> </message> <message> <source>Close</source> <translation>Zavt</translation> </message> <message> <source>Duration (frames):</source> <translation>Doba trvn (snmk):</translation> </message> <message> <source>Text</source> <translation>Text</translation> </message> <message> <source>Project name</source> <translation>Nzev projektu</translation> </message> <message> <source>Scene name</source> <translation>Nzev vjevu</translation> </message> <message> <source>Duration : Frame</source> <translation>Doba trvn: Snmek</translation> </message> <message> <source>Duration : Sec + Frame</source> <translation>Doba trvn: sekundy + snmek</translation> </message> <message> <source>Duration : HH:MM:SS:FF</source> <translation>Doba trvn: HH:MM:SS:FF</translation> </message> <message> <source>Current date</source> <translation>Nynj datum</translation> </message> <message> <source>Current date and time</source> <translation>Nynj datum a as</translation> </message> <message> <source>User name</source> <translation>Uivatelsk nzev</translation> </message> <message> <source>Scene location : Aliased path</source> <translation>Umstn vjevu: Zstupn cesta</translation> </message> <message> <source>Scene location : Full path</source> <translation>Umstn vjevu: pln cesta</translation> </message> <message> <source>Output location : Aliased path</source> <translation>Umstn vstupu: Zstupn cesta</translation> </message> <message> <source>Output location : Full path</source> <translation>Umstn vstupu: pln cesta</translation> </message> <message> <source>Image</source> <translation>Obrzek</translation> </message> </context> <context> <name>BoardView</name> <message> <source>Please set the duration more than 0 frame first, or the clapperboard settings will not be saved in the scene at all!</source> <translation>Nastavte, prosm, nejprve dobu trvn na vce ne 0, nebo nebude nastaven filmov klapky ve vjevu vbec uloeno!</translation> </message> </context> <context> <name>BrightnessAndContrastPopup</name> <message> <source>Brightness and Contrast</source> <translation>Jas a kontrast</translation> </message> <message> <source>Brightness:</source> <translation>Jas:</translation> </message> <message> <source>Contrast:</source> <translation>Kontrast:</translation> </message> <message> <source>Apply</source> <translation>Pout</translation> </message> </context> <context> <name>BrowserPopup</name> <message> <source>Choose</source> <translation>Vybrat</translation> </message> <message> <source>Path %1 doesn&apos;t exists.</source> <translation>Cesta %1 neexistuje.</translation> </message> </context> <context> <name>CameraCaptureLevelControl</name> <message> <source>Black Point Value</source> <translation>Hodnota ernho bodu</translation> </message> <message> <source>White Point Value</source> <translation>Hodnota blho bodu</translation> </message> <message> <source>Threshold Value</source> <translation>Hodnota prahu</translation> </message> <message> <source>Gamma Value</source> <translation>Hodnota gamy</translation> </message> </context> <context> <name>CameraCaptureLevelHistogram</name> <message> <source>Click to Update Histogram</source> <translation type="vanished">Klepnout pro obnoven histogramu</translation> </message> <message> <source>Drag to Move White Point</source> <translation>Thnout pro posunut blho bodu</translation> </message> <message> <source>Drag to Move Gamma</source> <translation>Thnout pro posunut gamy</translation> </message> <message> <source>Drag to Move Black Point</source> <translation>Thnout pro posunut ernho bodu</translation> </message> <message> <source>Drag to Move Threshold Point</source> <translation>Thnout pro posunut bodu prahu</translation> </message> </context> <context> <name>CameraSettingsPopup</name> <message> <source>Name:</source> <translation>Nzev:</translation> </message> <message> <source>Camera#%1 Settings</source> <translation>Kamera#%1-nastaven</translation> </message> <message> <source>Current Camera Settings</source> <translation>Nastaven nynj kamery</translation> </message> </context> <context> <name>CameraTrackPreviewArea</name> <message> <source>Fit To Window</source> <translation type="unfinished">Pizpsobit oknu</translation> </message> </context> <context> <name>Canon</name> <message> <source>AC Power</source> <translation>AC napjen</translation> </message> <message> <source>Full</source> <translation>Nabito</translation> </message> </context> <context> <name>CanvasSizePopup</name> <message> <source>Canvas Size</source> <translation>Velikost pracovn plochy</translation> </message> <message> <source>Current Size</source> <translation>Nynj velikost</translation> </message> <message> <source>Width:</source> <translation>ka:</translation> </message> <message> <source>Height:</source> <translation>Vka:</translation> </message> <message> <source>New Size</source> <translation>Nov velikost</translation> </message> <message> <source>Unit:</source> <translation>Jednotka:</translation> </message> <message> <source>Relative</source> <translation>Pomrn</translation> </message> <message> <source>Anchor</source> <translation>Ukotven</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Resize</source> <translation>Zmnit velikost</translation> </message> <message> <source>The new canvas size is smaller than the current one. Do you want to crop the canvas?</source> <translation>Nov pracovn plocha (pltno) je men ne nynj. Chcete pracovn plochu oznout?</translation> </message> <message> <source>Crop</source> <translation>Oznout</translation> </message> <message> <source>pixel</source> <translation>obrazov bod (pixel)</translation> </message> <message> <source>mm</source> <translation>mm</translation> </message> <message> <source>cm</source> <translation>cm</translation> </message> <message> <source>field</source> <translation>Pole</translation> </message> <message> <source>inch</source> <translation>palec</translation> </message> </context> <context> <name>CaptureSettingsPopup</name> <message> <source>Define Device</source> <translation type="vanished">Stanovit zazen</translation> </message> <message> <source>V Resolution</source> <translation type="vanished">Svisl rozlien</translation> </message> <message> <source>H Resolution</source> <translation type="vanished">Vodorovn rozlien</translation> </message> <message> <source>White Calibration</source> <translation type="vanished">Vyrovnn bl</translation> </message> <message> <source>Capture</source> <translation type="vanished">Zachytvn</translation> </message> <message> <source>Brightness:</source> <translation type="vanished">Jas:</translation> </message> <message> <source>Contrast:</source> <translation type="vanished">Kontrast:</translation> </message> <message> <source> Upside-down</source> <translation type="vanished">Obrcen</translation> </message> <message> <source>A Device is Connected.</source> <translation type="vanished">Zazen je pipojeno.</translation> </message> <message> <source>No cameras found.</source> <translation type="vanished">Nenalezeny dn kamery.</translation> </message> <message> <source>Device Disconnected.</source> <translation type="vanished">Zazen je odpojeno.</translation> </message> <message> <source>No Device Defined.</source> <translation type="vanished">Nestanoveno dn zazen.</translation> </message> </context> <context> <name>CastBrowser</name> <message> <source>It is not possible to edit the selected file.</source> <translation>Nen mon upravit vybran soubor.</translation> </message> <message> <source>It is not possible to edit more than one file at once.</source> <translation>Nen mon upravit najednou vce ne jeden soubor.</translation> </message> <message> <source>It is not possible to show the folder containing the selected file, as the file has not been saved yet.</source> <translation>Nen mon ukzat sloku obsahujc vybran soubor, jeliko soubor jet nebyl uloen.</translation> </message> <message> <source>It is not possible to view the selected file, as the file has not been saved yet.</source> <translation>Nen mon ukzat vybran soubor, jeliko soubor jet nebyl uloen.</translation> </message> <message> <source>It is not possible to show the info of the selected file, as the file has not been saved yet.</source> <translation>Nen mon ukzat informace o vybranm souboru, jeliko soubor jet nebyl uloen.</translation> </message> </context> <context> <name>CastTreeViewer</name> <message> <source>Delete folder </source> <translation>Smazat sloku</translation> </message> <message> <source>Yes</source> <translation>Ano</translation> </message> <message> <source>No</source> <translation>Ne</translation> </message> </context> <context> <name>CellMarksPopup</name> <message> <source>Cell Marks Settings</source> <translation type="unfinished"></translation> </message> </context> <context> <name>ChooseCameraDialog</name> <message> <source>Ok</source> <translation type="vanished">OK</translation> </message> <message> <source>Cancel</source> <translation type="vanished">Zruit</translation> </message> </context> <context> <name>CleanupPopup</name> <message> <source>Do you want to cleanup this frame?</source> <translation>Chcete vyistit tento snmek?</translation> </message> <message> <source>Cleanup</source> <translation>Vyistit</translation> </message> <message> <source>Cleanup in progress</source> <translation>Probh itn</translation> </message> <message> <source>Skip</source> <translation>Peskoit</translation> </message> <message> <source>Cleanup All</source> <translation>Vyistit ve</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Cleanup in progress: </source> <translation>Probh itn: </translation> </message> <message> <source>It is not possible to cleanup: the cleanup list is empty.</source> <translation>Nelze vyistit: Seznam k vyitn je przdn.</translation> </message> <message> <source>The resulting resolution of level &quot;%1&quot; does not match with that of previously cleaned up level drawings. Please set the right camera resolution and closest field, or choose to delete the existing level and create a new one when running the cleanup process.</source> <translation>Vsledn rozlien rovn % 1 neodpovd pedchozm vyitnm vkresm rovn. Nastavte prosm sprvn rozlien kamery a nejbli pole, nebo zvolte smazn stvajc rove a pi sputn procesu itn vytvote novou.</translation> </message> <message> <source>Selected drawings will overwrite the original files after the cleanup process. Do you want to continue?</source> <translation>Vybran kresby pep po probhnut itn pvodn soubory. Chcete pokraovat?</translation> </message> <message> <source>Ok</source> <translation>OK</translation> </message> <message> <source>There were errors opening the existing level &quot;%1&quot;. Please choose to delete the existing level and create a new one when running the cleanup process.</source> <translation>Pi otevrn stvajc rovn &quot;%1&quot; dolo k chybm. Zvolte, prosm, odstrann stvajc rovn a vytvoen nov pi sputn procesu itn.</translation> </message> <message> <source>Couldn&apos;t create directory &quot;%1&quot;</source> <translation>Nepodaila se vytvoit adres &quot;%1&quot;</translation> </message> <message> <source>Couldn&apos;t open &quot;%1&quot; for write</source> <translation>Nepodaila se otevt &quot;%1&quot; pro zpis</translation> </message> <message> <source>Couldn&apos;t remove file &quot;%1&quot;</source> <translation>Nepodaila se odstranit soubor &quot;%1&quot;</translation> </message> <message> <source>View</source> <translation>Pohled</translation> </message> <message> <source> : Cleanup in progress</source> <translation> : Probh itn</translation> </message> </context> <context> <name>CleanupPopup::OverwriteDialog</name> <message> <source>Warning!</source> <translation>Varovn!</translation> </message> <message> <source>Cleanup all selected drawings overwriting those previously cleaned up.</source> <translation type="vanished">Vyistit vechny vybran kresby a ty vyitn pedtm pepsat.</translation> </message> <message> <source>Cleanup only non-cleaned up drawings and keep those previously cleaned up.</source> <translation type="vanished">Vyistit jen nevyitn kresby a ty vyitn pedtm zachovat.</translation> </message> <message> <source>Delete existing level and create a new level with selected drawings only.</source> <translation>Smazat stvajc rove a vytvoit novou rove, jen s vybranmi kresbami.</translation> </message> <message> <source>Rename the new level adding the suffix </source> <translation>Pejmenovat novou rove a pidat pponu </translation> </message> <message> <source>File &quot;%1&quot; already exists. What do you want to do?</source> <translation>Soubor &quot;%1&quot; ji existuje. Co chcete dlat?</translation> </message> <message> <source>Cleanup all selected drawings overwriting those previously cleaned up.*</source> <translation>Vyistit vechny vybran kresby a ty vyitn pedtm pepsat.*</translation> </message> <message> <source>Cleanup only non-cleaned up drawings and keep those previously cleaned up.*</source> <translation>Vyistit jen nevyitn kresby a ty vyitn pedtm zachovat.*</translation> </message> <message> <source>This is Re-Cleanup. Overwrite only to the no-paint files.</source> <translation>Toto je optovn vyitn. Pepsat jen po soubory ne-malba.</translation> </message> <message> <source>* Palette will not be changed.</source> <translation>* Paleta se nezmn.</translation> </message> </context> <context> <name>CleanupSettings</name> <message> <source>Cleanup</source> <translation>Vyistit</translation> </message> <message> <source>Processing</source> <translation>Zpracovn</translation> </message> <message> <source>Camera</source> <translation>Kamera</translation> </message> <message> <source>Toggle Swatch Preview</source> <translation>Pepnout nhled na vzorek</translation> </message> <message> <source>Toggle Opacity Check</source> <translation>Pepnout oven neprhlednosti</translation> </message> <message> <source>Save Settings</source> <translation>Uloit nastaven</translation> </message> <message> <source>Load Settings</source> <translation>Nahrt nastaven</translation> </message> <message> <source>Reset Settings</source> <translation>Obnovit vchoz nastaven</translation> </message> <message> <source>Cleanup Settings</source> <translation>Nastaven vyitn</translation> </message> <message> <source>Cleanup Settings: %1</source> <translation>Nastaven vyitn: %1</translation> </message> </context> <context> <name>CleanupSettingsPane</name> <message> <source>Horizontal</source> <translation>Vodorovn</translation> </message> <message> <source>Vertical</source> <translation>Svisle</translation> </message> <message> <source>MLAA Intensity:</source> <translation>Sla MLAA:</translation> </message> <message> <source>Save</source> <translation>Uloit</translation> </message> <message> <source>Load</source> <translation>Nahrt</translation> </message> <message> <source>Reset</source> <translation>Obnovit vchoz</translation> </message> <message> <source>Standard</source> <translation>Standardn</translation> </message> <message> <source>None</source> <translation>dn</translation> </message> <message> <source>Morphological</source> <translation>MLAA</translation> </message> <message> <source>Greyscale</source> <translation>Odstny edi</translation> </message> <message> <source>Color</source> <translation>Barva</translation> </message> <message> <source>Rotate</source> <translation>Otoit</translation> </message> <message> <source>Flip</source> <translation>Obrtit</translation> </message> <message> <source>Line Processing:</source> <translation>Zpracovn dku:</translation> </message> <message> <source>Antialias:</source> <translation>Vyhlazovn okraj:</translation> </message> <message> <source>Sharpness:</source> <translation>Ostrost:</translation> </message> <message> <source>Despeckling:</source> <translation>Odstrann poruch:</translation> </message> <message> <source>Save In</source> <translation>Uloit v</translation> </message> <message> <source>Please fill the Save In field.</source> <translation>Vyplte, prosm, pole pro uloen.</translation> </message> <message> <source>Cleanup Settings (Global)</source> <translation>Nastaven vyitn (celkov)</translation> </message> <message> <source>Cleanup Settings: </source> <translation>Nastaven vyitn: </translation> </message> <message> <source>Cleanup Settings</source> <translation>Nastaven vyitn</translation> </message> <message> <source>Cleanup Settings: %1</source> <translation>Nastaven vyitn: %1</translation> </message> <message> <source>Autocenter</source> <translation>Automatick vystedn</translation> </message> <message> <source>Pegbar Holes</source> <translation>Dry pruhu na kolky</translation> </message> <message> <source>Field Guide</source> <translation>Praktick vod</translation> </message> <message> <source>Bottom</source> <translation>Dole</translation> </message> <message> <source>Top</source> <translation>Nahoe</translation> </message> <message> <source>Left</source> <translation>Vlevo</translation> </message> <message> <source>Right</source> <translation>Vpravo</translation> </message> <message> <source>Format:</source> <translation type="unfinished">Formt:</translation> </message> </context> <context> <name>CleanupTab</name> <message> <source>Autocenter</source> <translation>Automatick vystedn</translation> </message> <message> <source>Pegbar Holes:</source> <translation>Dry pruhu na kolky:</translation> </message> <message> <source>Field Guide:</source> <translation>Praktick vod:</translation> </message> <message> <source>Rotate:</source> <translation>Otoit:</translation> </message> <message> <source>Flip:</source> <translation>Obrtit:</translation> </message> <message> <source>Horizontal</source> <translation>Vodorovn</translation> </message> <message> <source>Vertical</source> <translation>Svisle</translation> </message> <message> <source>Save in:</source> <translation>Uloit v:</translation> </message> </context> <context> <name>ClipListViewer</name> <message> <source>Load Scene</source> <translation>Nahrt vjev</translation> </message> </context> <context> <name>CloneLevelUndo:: LevelNamePopup</name> <message> <source>Clone Level</source> <translation type="vanished">Zdvojit rove</translation> </message> <message> <source>Level Name:</source> <translation type="vanished">Nzev rovn:</translation> </message> </context> <context> <name>CloneLevelUndo::LevelNamePopup</name> <message> <source>Clone Level</source> <translation type="vanished">Zdvojit rove</translation> </message> <message> <source>Level Name:</source> <translation type="vanished">Nzev rovn:</translation> </message> </context> <context> <name>ColorFiltersPopup</name> <message> <source>Color Filters Settings</source> <translation type="unfinished"></translation> </message> <message> <source>Clear</source> <translation type="unfinished"></translation> </message> <message> <source>Color Filter %1</source> <translation type="unfinished"></translation> </message> </context> <context> <name>ColorModelBehaviorPopup</name> <message> <source>Select the Palette Operation</source> <translation>Vybrat operaci palety</translation> </message> <message> <source>Overwrite the destination palette.</source> <translation>Pepsat clovou paletu.</translation> </message> <message> <source>Keep the destination palette and apply it to the color model.</source> <translation>Zachovat clovou paletu a pout ji na barevn model.</translation> </message> <message> <source>The color model palette is different from the destination palette. What do you want to do? </source> <translation>Paleta s barevnm modelem se li od clov palety. Co chcete dlat?</translation> </message> <message> <source>Add color model&apos;s palette to the destination palette.</source> <translation>Pidat paletu s barevnm modelem do clov palety.</translation> </message> <message> <source>Picking Colors from Raster Image</source> <translation>Berou se barvy z rastrovho obrzku</translation> </message> <message> <source>Pick Every Colors as Different Styles</source> <translation>Sebrat kadou barvu jako jednotliv styl</translation> </message> <message> <source>Integrate Similar Colors as One Style</source> <translation>Zvolit podobn barvy jako jeden styl</translation> </message> <message> <source>Pick Colors in Color Chip Grid</source> <translation>Vybrat barvy v mce barev</translation> </message> <message> <source>Horizontal - Top to bottom</source> <translation>Vodorovn - shora dol</translation> </message> <message> <source>Horizontal - Bottom to top</source> <translation>Vodorovn - zdola nahoru</translation> </message> <message> <source>Vertical - Left to right</source> <translation>Svisle - zleva doprava</translation> </message> <message> <source>Pick Type:</source> <translation>Typ vbru:</translation> </message> <message> <source>Grid Line Color:</source> <translation>Barva ry mky:</translation> </message> <message> <source>Grid Line Width:</source> <translation>ka ry mky:</translation> </message> <message> <source>Chip Order:</source> <translation>Poad kousku:</translation> </message> </context> <context> <name>ColorModelViewer</name> <message> <source>Color Model</source> <translation>Barevn model</translation> </message> <message> <source>Use Current Frame</source> <translation>Pout nynj snmek</translation> </message> <message> <source>Remove Color Model</source> <translation>Odstranit barevn model</translation> </message> <message> <source>It is not possible to retrieve the color model set for the current level.</source> <translation>Nen mon zskat barevn model pro nynj rove.</translation> </message> <message> <source>Reset View</source> <translation>Obnovit vchoz pohled</translation> </message> <message> <source>Fit to Window</source> <translation>Pizpsobit oknu</translation> </message> <message> <source>Update Colors by Using Picked Positions</source> <translation>Obnovit barvy pouitm vybranch poloh</translation> </message> </context> <context> <name>ComboViewerPanel</name> <message> <source>Safe Area (Right Click to Select)</source> <translation type="vanished">Bezpen oblast (klepnut pravm tlatkem myi pro vybrn)</translation> </message> <message> <source>Field Guide</source> <translation type="vanished">Praktick vod</translation> </message> <message> <source>Camera Stand View</source> <translation type="vanished">Pohled stanovit kamery</translation> </message> <message> <source>3D View</source> <translation type="vanished">Trojrozmrn pohled</translation> </message> <message> <source>Camera View</source> <translation type="vanished">Pohled kamery</translation> </message> <message> <source>Freeze</source> <translation type="vanished">Pozastavit</translation> </message> <message> <source>GUI Show / Hide</source> <translation>Ukzat/Skrt rozhran</translation> </message> <message> <source>Toolbar</source> <translation>Nstrojov pruh</translation> </message> <message> <source>Tool Options Bar</source> <translation>Volby pro nstroj</translation> </message> <message> <source>Console</source> <translation type="vanished">Konzole</translation> </message> <message> <source>Preview</source> <translation type="vanished">Nhled</translation> </message> <message> <source>Sub-camera Preview</source> <translation type="vanished">Nhled na podkameru</translation> </message> <message> <source>Untitled</source> <translation type="vanished">Bez nzvu</translation> </message> <message> <source>Scene: </source> <translation type="vanished">Zbr:</translation> </message> <message> <source> :: Frame: </source> <translation type="vanished">:: Snmek:</translation> </message> <message> <source> :: Level: </source> <translation type="vanished">:: rove:</translation> </message> <message> <source>Level: </source> <translation type="vanished">rove:</translation> </message> <message> <source> (Flipped)</source> <translation type="vanished"> (pevrceno)</translation> </message> <message> <source>[SCENE]: </source> <translation type="vanished">[VJEV]: </translation> </message> <message> <source>[LEVEL]: </source> <translation type="vanished">[ROVE]: </translation> </message> <message> <source>Playback Toolbar</source> <translation type="unfinished">Nstrojov pruh pro pehrvn</translation> </message> <message> <source>Frame Slider</source> <translation type="unfinished">Posuvnk snmku</translation> </message> </context> <context> <name>CommandBar</name> <message> <source>Customize Command Bar</source> <translation>Pizpsobit pkazov dek</translation> </message> </context> <context> <name>CommandBarListTree</name> <message> <source>----Separator----</source> <translation type="vanished">----Oddlova----</translation> </message> </context> <context> <name>CommandBarPopup</name> <message> <source>XSheet Toolbar</source> <translation>Nstrojov pruh zbru</translation> </message> <message> <source>Customize XSheet Toolbar</source> <translation>Pizpsobit nstrojov pruh zbru</translation> </message> <message> <source>Command Bar</source> <translation>Pkazov dek</translation> </message> <message> <source>Customize Command Bar</source> <translation>Pizpsobit pkazov dek</translation> </message> <message> <source>OK</source> <translation>OK</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Toolbar Items</source> <translation>Poloky v nstrojovm pruhu</translation> </message> <message> <source>Duplicated commands will be ignored. Only the last one will appear in the menu bar.</source> <translation>Zdvojen pkazy se budou pehlet. Pouze posledn se objev v pruhu s nabdkou.</translation> </message> <message> <source>Search:</source> <translation type="unfinished">Hledat:</translation> </message> </context> <context> <name>CommandBarTree</name> <message> <source>Remove &quot;%1&quot;</source> <translation>Odstranit &quot;%1&quot;</translation> </message> </context> <context> <name>CommandListTree</name> <message> <source>----Separator----</source> <translation>----Oddlova----</translation> </message> </context> <context> <name>ConflictWidget</name> <message> <source>Mine</source> <translation>Mj</translation> </message> <message> <source>Theirs</source> <translation>Jejich</translation> </message> </context> <context> <name>ConvertFolderPopup</name> <message> <source>Level %1 already exists; skipped. </source> <translation type="unfinished"></translation> </message> <message> <source>Failed to remove existing level %1; skipped. </source> <translation type="unfinished"></translation> </message> <message> <source>Converting level %1 of %2: %3</source> <translation type="unfinished"></translation> </message> <message> <source>Convert aborted. </source> <translation type="unfinished"></translation> </message> <message> <source>Level %1 has no frame; skipped.</source> <translation type="unfinished">rove %1 nem dn snmek. Byla peskoena.</translation> </message> <message> <source>Convert TZP In Folder</source> <translation type="unfinished"></translation> </message> <message> <source>Convert</source> <translation type="unfinished">Pevst</translation> </message> <message> <source>Cancel</source> <translation type="unfinished">Zruit</translation> </message> <message> <source>Skip Existing Files</source> <translation type="unfinished">Peskoit stvajc soubory</translation> </message> <message> <source>Apply to Subfolder</source> <translation type="unfinished"></translation> </message> <message> <source>Convert TZP in Folder</source> <translation type="unfinished"></translation> </message> <message> <source>Folder to convert:</source> <translation type="unfinished"></translation> </message> <message> <source>[SKIP] </source> <translation type="unfinished"></translation> </message> <message> <source>[OVERWRITE] </source> <translation type="unfinished"></translation> </message> <message> <source>Target folder is not specified.</source> <translation type="unfinished"></translation> </message> <message> <source>No files will be converted.</source> <translation type="unfinished"></translation> </message> <message> <source>Cofirmation</source> <translation type="unfinished"></translation> </message> <message> <source>Converting %1 files. Are you sure?</source> <translation type="unfinished"></translation> </message> <message> <source>Convert TZP in folder </source> <translation type="unfinished"></translation> </message> <message> <source>Target Folder: %1 </source> <translation type="unfinished"></translation> </message> <message> <source>Skip Existing Files: %1 </source> <translation type="unfinished"></translation> </message> <message> <source>Apply to Subfolder: %1 </source> <translation type="unfinished"></translation> </message> <message> <source>Approx. levels to be converted: %1 </source> <translation type="unfinished"></translation> </message> <message> <source>Started: </source> <translation type="unfinished"></translation> </message> <message> <source>Convert aborted:</source> <translation type="unfinished"></translation> </message> <message> <source>Convert completed:</source> <translation type="unfinished"></translation> </message> <message> <source> %1 level(s) done, %2 level(s) skipped with %3 error(s). </source> <translation type="unfinished"></translation> </message> <message> <source>Ended: </source> <translation type="unfinished"></translation> </message> </context> <context> <name>ConvertPopup</name> <message> <source>Convert</source> <translation>Pevst</translation> </message> <message> <source>Start:</source> <translation>Zatek:</translation> </message> <message> <source>Save in:</source> <translation>Uloit v:</translation> </message> <message> <source>Options</source> <translation>Volby</translation> </message> <message> <source>File Format:</source> <translation>Formt souboru:</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Converting %1</source> <translation>Pevd se %1</translation> </message> <message> <source>Convert... </source> <translation>Pevst...</translation> </message> <message> <source>Bg Color:</source> <translation>Barva pozad:</translation> </message> <message> <source>Skip Existing Files</source> <translation>Peskoit stvajc soubory</translation> </message> <message> <source>Convert 1 Level</source> <translation>Pevst 1 rove</translation> </message> <message> <source>Convert %1 Levels</source> <translation>Pevst %1 rovn</translation> </message> <message> <source>Converting level %1 of %2: %3</source> <translation>Pevd se rove %1 z %2: %3</translation> </message> <message> <source>Unpainted File Folder:</source> <translation>Sloka pro nenabarven soubory:</translation> </message> <message> <source> Unpainted File Suffix:</source> <translation>Ppona pro nenabarven soubory:</translation> </message> <message> <source>Apply Autoclose</source> <translation>Pout automatick zaven</translation> </message> <message> <source>Keep Original Antialiasing</source> <translation>Zachovat pvodn vyhlazovn</translation> </message> <message> <source>Add Antialiasing with Intensity:</source> <translation>Pidat vyhlazovn okraj [sla]:</translation> </message> <message> <source>Remove Antialiasing using Threshold:</source> <translation>Odstranit vyhlazovn okraj s prahovou hodnotou:</translation> </message> <message> <source> Palette:</source> <translation type="vanished">&#x3000;&#x3000;&#x3000;&#x3000;&#x3000;Paleta:</translation> </message> <message> <source>Tolerance:</source> <translation>Tolerance:</translation> </message> <message> <source>End:</source> <translation type="vanished">Konec:</translation> </message> <message> <source>File to convert:</source> <translation>Soubor k peveden:</translation> </message> <message> <source>Output Name:</source> <translation type="vanished">Nzev vstupu:</translation> </message> <message> <source>Same as Painted</source> <translation>Stejn jako nabarven</translation> </message> <message> <source>No unpainted suffix specified: cannot convert.</source> <translation>Nestanovena dn ppona pro nenabarven soubory: nelze pevst.</translation> </message> <message> <source>Level </source> <translation>rove </translation> </message> <message> <source> already exists; skipped</source> <translation>soubor ji existuje. Byla peskoena</translation> </message> <message> <source>Generating level </source> <translation>Vytv se rove</translation> </message> <message> <source> converted to tlv.</source> <translation>pevedeno do TLV.</translation> </message> <message> <source>Level %1 converted to TLV Format</source> <translation>rove %1 byla pevedena do formtu TLV</translation> </message> <message> <source>Warning: Level %1 NOT converted to TLV Format</source> <translation>Varovn: rove %1 NEBYLA pevedena do formtu TLV</translation> </message> <message> <source>Converted %1 out of %2 Levels to TLV Format</source> <translation>%1 z %2 rovn bylo pevedeno do formtu TLV</translation> </message> <message> <source>No output filename specified: please choose a valid level name.</source> <translation>Pro soubor nestanoven dn vstupn nzev: Zvolte, prosm, platn nzev pro rove.</translation> </message> <message> <source>Mode:</source> <translation>Reim:</translation> </message> <message> <source>Warning: Can&apos;t read palette &apos;%1&apos; </source> <translation>Varovn: Paletu &apos;%1&apos; nelze pest</translation> </message> <message> <source>Level %1 already exists; skipped.</source> <translation>rove %1 ji existuje. Byla peskoena.</translation> </message> <message> <source>Level %1 has no frame; skipped.</source> <translation>rove %1 nem dn snmek. Byla peskoena.</translation> </message> <message> <source>Unpainted tlv</source> <translation>Nenabarven TLV</translation> </message> <message> <source>Painted tlv from two images</source> <translation>Nabarven TLV ze dvou obrzk pevedeno</translation> </message> <message> <source>Painted tlv from non AA source</source> <translation>Nabarven TLV z neostrho zdroje pevedeno</translation> </message> <message> <source>Convert completed with %1 error(s) and %2 level(s) skipped</source> <translation>Pevod ukonen s %1 chybou(ami) a %2 rove(vn) peskoena(y)</translation> </message> <message> <source>Convert completed with %1 error(s) </source> <translation>Pevod ukonen. %1 chyba(y) </translation> </message> <message> <source>%1 level(s) skipped</source> <translation>%1 rove(vn) peskoena(y)</translation> </message> <message> <source>Create new palette</source> <translation>Vytvoit novou paletu</translation> </message> <message> <source>StrOke Mode:</source> <translation type="vanished">Pevst z PLI na SVG:</translation> </message> <message> <source>Centerline</source> <translation>Stedov ra</translation> </message> <message> <source>Outline</source> <translation>Obrys</translation> </message> <message> <source>Unpainted tlv from non AA source</source> <translation>Nenabarven TLV z neostrho zdroje (ze zdroje ne AA)</translation> </message> <message> <source>Remove dot before frame number</source> <translation>Odstranit teku z sla snmku</translation> </message> <message> <source> End:</source> <translation>Konec:</translation> </message> <message> <source>File Name:</source> <translation>Nzev souboru:</translation> </message> <message> <source>Save Backup to &quot;nopaint&quot; Folder</source> <translation>Zlohu uloit ve sloce &quot;nopaint&quot;</translation> </message> <message> <source>Antialias:</source> <translation>Vyhlazovn okraj:</translation> </message> <message> <source>Palette:</source> <translation>Paleta:</translation> </message> <message> <source>Stroke Mode:</source> <translation>Reim tahu:</translation> </message> <message> <source>Append Default Palette</source> <translation>Pipojit vchoz paletu</translation> </message> <message> <source>When activated, styles of the default palette ($TOONZSTUDIOPALETTE\cleanup_default.tpl) will be appended to the palette after conversion in order to save the effort of creating styles before color designing.</source> <translation>Kdy je zapnuta, styly vchoz palety ($TOONZSTUDIOPALETTE\cleanup_default.tpl) budou po pevodu pipojeny k palet, aby se etilo silm pi vytven styl ped barevnm nvrhem.</translation> </message> <message> <source>Remove Unused Styles from Input Palette</source> <translation>Odstranit nepouvan styly ze vstupn palety</translation> </message> <message> <source>Image DPI</source> <translation>DPI obrzku</translation> </message> <message> <source>Current Camera DPI</source> <translation>DPI nynj kamery</translation> </message> <message> <source>Custom DPI</source> <translation>Vlastn DPI</translation> </message> <message> <source>Specify the policy for setting DPI of converted tlv. If you select the &quot;Image DPI&quot; option and the source image does not contain the dpi information, then the current camera dpi will be used. </source> <translation>Urete zsadu pro nastaven DPI pevedenho tlv. Pokud vyberete monost DPI obrzku a zdrojov obrzek neobsahuje informace o DPI, pouije se DPI aktuln kamery. </translation> </message> <message> <source>Dpi:</source> <translation>DPI:</translation> </message> <message> <source>Level %1 converting to same file format; skipped.</source> <translation>rove %1 se pevd do stejnho souborovho formtu, peskoeno.</translation> </message> </context> <context> <name>ConvertResultPopup</name> <message> <source>Save log file..</source> <translation type="unfinished"></translation> </message> <message> <source>Close</source> <translation type="unfinished">Zavt</translation> </message> <message> <source>Do you want to save the log?</source> <translation type="unfinished"></translation> </message> </context> <context> <name>CrashHandler</name> <message> <source>&lt;b&gt;OpenToonz crashed unexpectedly.&lt;/b&gt;</source> <translation type="unfinished"></translation> </message> <message> <source>A crash report has been generated.</source> <translation type="unfinished"></translation> </message> <message> <source>To report, click &apos;Open Issue Webpage&apos; to access OpenToonz&apos;s Issues page on GitHub.</source> <translation type="unfinished"></translation> </message> <message> <source>Click on the &apos;New issue&apos; button and fill out the form.</source> <translation type="unfinished"></translation> </message> <message> <source>System Configuration and Problem Details:</source> <translation type="unfinished"></translation> </message> <message> <source>Copy to Clipboard</source> <translation type="unfinished"></translation> </message> <message> <source>Open Issue Webpage</source> <translation type="unfinished"></translation> </message> <message> <source>Open Reports Folder</source> <translation type="unfinished"></translation> </message> <message> <source>Close Application</source> <translation type="unfinished"></translation> </message> <message> <source>OpenToonz crashed!</source> <translation type="unfinished"></translation> </message> <message> <source>Application is in unstable state and must be restarted.</source> <translation type="unfinished"></translation> </message> <message> <source>Resuming is not recommended and may lead to an unrecoverable crash.</source> <translation type="unfinished"></translation> </message> <message> <source>Ignore advice and try to resume program?</source> <translation type="unfinished"></translation> </message> <message> <source>Ignore crash?</source> <translation type="unfinished"></translation> </message> </context> <context> <name>CustomPanelEditorPopup</name> <message> <source>Template folder %1 not found.</source> <translation type="unfinished"></translation> </message> <message> <source>Template files not found.</source> <translation type="unfinished"></translation> </message> <message> <source>%1 (Edit)</source> <translation type="unfinished"></translation> </message> <message> <source>Button</source> <translation type="unfinished"></translation> </message> <message> <source>Scroller</source> <translation type="unfinished"></translation> </message> <message> <source>Please input the panel name.</source> <translation type="unfinished"></translation> </message> <message> <source>The custom panel %1 already exists. Do you want to overwrite?</source> <translation type="unfinished"></translation> </message> <message> <source>Overwrite</source> <translation type="unfinished">Pepsat</translation> </message> <message> <source>Cancel</source> <translation type="unfinished">Zruit</translation> </message> <message> <source>Failed to create folder.</source> <translation type="unfinished"></translation> </message> <message> <source>Failed to open the template.</source> <translation type="unfinished"></translation> </message> <message> <source>Failed to open the file for writing.</source> <translation type="unfinished"></translation> </message> <message> <source>Custom Panel Editor</source> <translation type="unfinished"></translation> </message> <message> <source>a control in the panel</source> <translation type="unfinished"></translation> </message> <message> <source>Command List</source> <translation type="unfinished"></translation> </message> <message> <source>Register</source> <translation type="unfinished"></translation> </message> <message> <source>Template:</source> <translation type="unfinished"></translation> </message> <message> <source>Search:</source> <translation type="unfinished">Hledat:</translation> </message> <message> <source>Panel name:</source> <translation type="unfinished"></translation> </message> </context> <context> <name>CustomPanelUIField</name> <message> <source>Drag and set command</source> <translation type="unfinished"></translation> </message> </context> <context> <name>DVGui::ProgressDialog</name> <message> <source>Loading &quot;%1&quot;...</source> <translation>Nahrv se &quot;%1&quot;...</translation> </message> <message> <source>Importing &quot;%1&quot;...</source> <translation>Zavd se &quot;%1&quot;...</translation> </message> </context> <context> <name>DateChooserWidget</name> <message> <source>time ago.</source> <translation>hodin ped.</translation> </message> <message> <source>days ago.</source> <translation>dn ped.</translation> </message> <message> <source>weeks ago.</source> <translation>tdn ped.</translation> </message> <message> <source>( Custom date )</source> <translation>(vlastn datum)</translation> </message> </context> <context> <name>DefineScannerPopup</name> <message> <source>Define Scanner</source> <translation>Urit skener</translation> </message> <message> <source>Scanner Driver:</source> <translation>Ovlada skeneru:</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Ok</source> <translation type="vanished">OK</translation> </message> <message> <source>OK</source> <translation>OK</translation> </message> <message> <source>TWAIN</source> <translation type="unfinished"></translation> </message> <message> <source>Internal</source> <translation type="unfinished"></translation> </message> </context> <context> <name>DeleteInkDialog</name> <message> <source>Delete Lines</source> <translation>Smazat dky</translation> </message> <message> <source>Delete</source> <translation>Smazat</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Style Index: </source> <translation type="vanished">slo stylu:</translation> </message> <message> <source>Apply to Frames: </source> <translation type="vanished">Pout na oblast snmk: </translation> </message> <message> <source>Style Index:</source> <translation>slo stylu:</translation> </message> <message> <source>Apply to Frames:</source> <translation>Pout na oblast snmk: </translation> </message> </context> <context> <name>DuplicatePopup</name> <message> <source>Repeat</source> <translation>Opakovat</translation> </message> <message> <source>Times:</source> <translation>astost:</translation> </message> <message> <source>Up to Frame:</source> <translation>Po snmek:</translation> </message> <message> <source>Cancel</source> <translation type="vanished">Zruit</translation> </message> <message> <source>Close</source> <translation>Zavt</translation> </message> <message> <source>Apply</source> <translation>Pout</translation> </message> </context> <context> <name>DvDirTreeView</name> <message> <source>Edit</source> <translation>Upravit</translation> </message> <message> <source>Get</source> <translation>Zskat</translation> </message> <message> <source>Put...</source> <translation>Nahradit...</translation> </message> <message> <source>Delete</source> <translation>Smazat</translation> </message> <message> <source>Refresh</source> <translation>Obnovit</translation> </message> <message> <source>Cleanup</source> <translation>Vyistit</translation> </message> <message> <source>Delete folder </source> <translation>Smazat sloku</translation> </message> <message> <source>Yes</source> <translation>Ano</translation> </message> <message> <source>No</source> <translation>Ne</translation> </message> <message> <source>Refresh operation failed: </source> <translation>Obnoven selhalo:</translation> </message> <message> <source>Purge</source> <translation>Odmtnout</translation> </message> <message> <source>It is not possible to delete the folder.</source> <translation>Sloku nelze smazat.</translation> </message> <message> <source>Refreshing...</source> <translation>Obnovuje se...</translation> </message> <message> <source>There was an error copying %1 to %2</source> <translation>Pi koprovn z %1 do %2 se vyskytla chyba</translation> </message> <message> <source>The local path does not exist:</source> <translation>Mstn cesta neexistuje:</translation> </message> </context> <context> <name>DvItemViewerButtonBar</name> <message> <source>Up One Level</source> <translation>O jednu rove nahoru</translation> </message> <message> <source>New Folder</source> <translation>Nov sloka</translation> </message> <message> <source>Thumbnails View</source> <translation type="vanished">Zobrazen nhled</translation> </message> <message> <source>List View</source> <translation>Zobrazen seznamu</translation> </message> <message> <source>Back</source> <translation>Zpt</translation> </message> <message> <source>Forward</source> <translation>Vped</translation> </message> <message> <source>Icons View</source> <translation>Zobrazen ikon</translation> </message> <message> <source>Export File List</source> <translation>Vyvst seznam soubor</translation> </message> <message> <source>Up</source> <translation>Nahoru</translation> </message> <message> <source>New</source> <translation>Nov</translation> </message> <message> <source>Icon</source> <translation>Ikona</translation> </message> <message> <source>List</source> <translation>Seznam</translation> </message> </context> <context> <name>DvItemViewerPanel</name> <message> <source>Save File List</source> <translation>Uloit seznam soubor</translation> </message> <message> <source>File List (*.csv)</source> <translation>Seznam soubor (*.csv)</translation> </message> </context> <context> <name>DvTopBar</name> <message> <source>File</source> <translation type="vanished">Soubor</translation> </message> <message> <source>Edit</source> <translation type="vanished">Upravit</translation> </message> <message> <source>Scan &amp;&amp; Cleanup</source> <translation type="vanished">Skenovat a vyistit</translation> </message> <message> <source>Level</source> <translation type="vanished">rove</translation> </message> <message> <source>Xsheet</source> <translation type="vanished">Xsheet</translation> </message> <message> <source>Cells</source> <translation type="vanished">Buky</translation> </message> <message> <source>View</source> <translation type="vanished">Pohled</translation> </message> <message> <source>Windows</source> <translation type="vanished">Okna</translation> </message> <message> <source>Scan</source> <translation type="vanished">Skenovat</translation> </message> </context> <context> <name>ExportCalibrationFilePopup</name> <message> <source>Export Camera Calibration Settings</source> <translation type="unfinished"></translation> </message> </context> <context> <name>ExportCameraTrackPopup</name> <message> <source>Export Camera Track</source> <translation type="unfinished"></translation> </message> <message> <source>Draw On Keyframes</source> <translation type="unfinished"></translation> </message> <message> <source>Draw On Navigation Tags</source> <translation type="unfinished"></translation> </message> <message> <source>Top Left</source> <translation type="unfinished"></translation> </message> <message> <source>Top Right</source> <translation type="unfinished"></translation> </message> <message> <source>Center</source> <translation type="unfinished"></translation> </message> <message> <source>Bottom Left</source> <translation type="unfinished"></translation> </message> <message> <source>Bottom Right</source> <translation type="unfinished"></translation> </message> <message> <source>Draw Numbers On Track Line</source> <translation type="unfinished"></translation> </message> <message> <source>Export</source> <translation type="unfinished">Vyvst</translation> </message> <message> <source>Cancel</source> <translation type="unfinished">Zruit</translation> </message> <message> <source>Specify frame numbers where the camera rectangles will be drawn. Separate numbers by comma &quot;,&quot; .</source> <translation type="unfinished"></translation> </message> <message> <source>None</source> <translation type="unfinished"></translation> </message> <message> <source>All frames</source> <translation type="unfinished"></translation> </message> <message> <source>Every 2 frames</source> <translation type="unfinished"></translation> </message> <message> <source>Every 3 frames</source> <translation type="unfinished"></translation> </message> <message> <source>Every 4 frames</source> <translation type="unfinished"></translation> </message> <message> <source>Every 5 frames</source> <translation type="unfinished"></translation> </message> <message> <source>Every 6 frames</source> <translation type="unfinished"></translation> </message> <message> <source>Every 8 frames</source> <translation type="unfinished"></translation> </message> <message> <source>Every 10 frames</source> <translation type="unfinished"></translation> </message> <message> <source>Every 12 frames</source> <translation type="unfinished"></translation> </message> <message> <source>Target Column:</source> <translation type="unfinished"></translation> </message> <message> <source>Background:</source> <translation type="unfinished"></translation> </message> <message> <source>Line Color:</source> <translation type="unfinished"></translation> </message> <message> <source>Camera Rectangles</source> <translation type="unfinished"></translation> </message> <message> <source>Specify Frames Manually:</source> <translation type="unfinished"></translation> </message> <message> <source>Track Lines</source> <translation type="unfinished"></translation> </message> <message> <source>Graduation Marks Interval:</source> <translation type="unfinished"></translation> </message> <message> <source>Frame Numbers</source> <translation type="unfinished"></translation> </message> <message> <source>Camera Rect Corner:</source> <translation type="unfinished"></translation> </message> <message> <source>Font Family:</source> <translation type="unfinished"></translation> </message> <message> <source>Font Size:</source> <translation type="unfinished"></translation> </message> <message> <source>Col %1 (%2)</source> <translation type="unfinished"></translation> </message> <message> <source>Please specify one of the following file formats; jpg, jpeg, bmp, png, and tif</source> <translation type="unfinished"></translation> </message> </context> <context> <name>ExportCurrentSceneCommandHandler</name> <message> <source>You must save the current scene first.</source> <translation type="unfinished"></translation> </message> </context> <context> <name>ExportCurvePopup</name> <message> <source>Export Curve</source> <translation type="vanished">Vyvst kivku</translation> </message> <message> <source>Export</source> <translation type="vanished">Vyvst</translation> </message> </context> <context> <name>ExportLevelPopup</name> <message> <source>Export Level</source> <translation>Vyvst rove</translation> </message> <message> <source>Export</source> <translation>Vyvst</translation> </message> <message> <source>Format:</source> <translation>Formt:</translation> </message> <message> <source>Retas Compliant</source> <translation>V souladu s RETAS</translation> </message> <message> <source>Options</source> <translation>Volby</translation> </message> <message> <source>Export Options</source> <translation>Nastaven vyveden</translation> </message> <message> <source>The file name cannot be empty or contain any of the following characters:(new line) \ / : * ? &quot; |</source> <translation>Nzev souboru nesm bt przdn nebo obsahovat nsledujc znaky: (nov dek) \ / : * ? &quot; |</translation> </message> <message> <source>File Browser</source> <translation>Prohle soubor</translation> </message> </context> <context> <name>ExportLevelPopup:: ExportOptions</name> <message> <source>Background Color:</source> <translation type="vanished">Barva pozad:</translation> </message> <message> <source>No Antialias</source> <translation type="vanished">dn vyhlazovn</translation> </message> <message> <source>Vectors Export Box</source> <translation type="vanished">Nastaven vyveden vektoru</translation> </message> <message> <source>Width:</source> <translation type="vanished">ka:</translation> </message> <message> <source>Height:</source> <translation type="vanished">Vka:</translation> </message> <message> <source>H Resolution:</source> <translation type="vanished">Vodorovn rozlien:</translation> </message> <message> <source>V Resolution:</source> <translation type="vanished">Svisl rozlien:</translation> </message> <message> <source>DPI: </source> <translation type="vanished">DPI:</translation> </message> <message> <source>Vectors Thickness</source> <translation type="vanished">Tlouka vektor</translation> </message> <message> <source>Mode:</source> <translation type="vanished">Reim:</translation> </message> <message> <source>Scale Thickness</source> <translation type="vanished">Zmnit tlouku ry</translation> </message> <message> <source>Add Thickness</source> <translation type="vanished">Pidat tlouku ry</translation> </message> <message> <source>Constant Thickness</source> <translation type="vanished">Stl tlouka</translation> </message> <message> <source>Start:</source> <translation type="vanished">Zatek:</translation> </message> <message> <source>End:</source> <translation type="vanished">Konec:</translation> </message> <message> <source>Scale:</source> <translation type="vanished">Zmnit velikost:</translation> </message> </context> <context> <name>ExportLevelPopup::ExportOptions</name> <message> <source>Background Color:</source> <translation>Barva pozad:</translation> </message> <message> <source>No Antialias</source> <translation>dn vyhlazovn</translation> </message> <message> <source>Vectors Export Box</source> <translation>Nastaven vyveden vektoru</translation> </message> <message> <source>Width:</source> <translation type="obsolete">Breite:</translation> </message> <message> <source>Height:</source> <translation type="obsolete">Hhe:</translation> </message> <message> <source>H Resolution:</source> <translation>Vodorovn rozlien:</translation> </message> <message> <source>V Resolution:</source> <translation>Svisl rozlien:</translation> </message> <message> <source>Scale:</source> <translation>Zmnit velikost:</translation> </message> <message> <source>Vectors Thickness</source> <translation>Tlouka vektor</translation> </message> <message> <source>Mode:</source> <translation>Reim:</translation> </message> <message> <source>Scale Thickness</source> <translation>Zmnit tlouku ry</translation> </message> <message> <source>Add Thickness</source> <translation>Pidat tlouku ry</translation> </message> <message> <source>Constant Thickness</source> <translation>Stl tlouka</translation> </message> <message> <source>Start:</source> <translation>Zatek:</translation> </message> <message> <source>End:</source> <translation>Konec:</translation> </message> <message> <source>DPI: </source> <translation>DPI:</translation> </message> <message> <source>Width: </source> <translation>ka: </translation> </message> <message> <source>Height: </source> <translation>Vka: </translation> </message> </context> <context> <name>ExportOCACommand</name> <message> <source>Save Images in EXR Format</source> <translation type="unfinished"></translation> </message> <message> <source>Rasterize Vectors</source> <translation type="unfinished"></translation> </message> <message> <source>Frame Offset: </source> <translation type="unfinished"></translation> </message> <message> <source>Checked: Images are saved as EXR Unchecked: Images are saved as PNG</source> <translation type="unfinished"></translation> </message> <message> <source>Checked: Rasterize into EXR/PNG Unchecked: Vectors are saved as SVG</source> <translation type="unfinished"></translation> </message> <message> <source>Starting Frame Offset</source> <translation type="unfinished"></translation> </message> <message> <source>Hide</source> <translation type="unfinished"></translation> </message> <message> <source>Exporting...</source> <translation type="unfinished"></translation> </message> <message> <source>Starting...</source> <translation type="unfinished"></translation> </message> </context> <context> <name>ExportPanel</name> <message> <source>Export</source> <translation>Vyvst</translation> </message> <message> <source>Save in:</source> <translation>Uloit v:</translation> </message> <message> <source>File Name:</source> <translation>Nzev souboru:</translation> </message> <message> <source>File Format:</source> <translation>Formt souboru:</translation> </message> <message> <source>Use Markers</source> <translation>Pout znaky</translation> </message> <message> <source>Options</source> <translation>Volby</translation> </message> </context> <context> <name>ExportScenePopup</name> <message> <source>Export Scene</source> <translation>Vyvst vjev</translation> </message> <message> <source>Choose Existing Project</source> <translation>Vybrat stvajc projekt</translation> </message> <message> <source>Create New Project</source> <translation>Vytvoit nov projekt</translation> </message> <message> <source>Name:</source> <translation>Nzev:</translation> </message> <message> <source>Export</source> <translation>Vyvst</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>The folder you selected is not a project.</source> <translation>Vybran sloka nen projekt.</translation> </message> <message> <source>There was an error exporting the scene.</source> <translation>Pi vyvdn vjevu se vyskytla chyba.</translation> </message> <message> <source>The project name cannot be empty or contain any of the following characters:(new line) \ / : * ? &quot; |</source> <translation>Nzev projektu nesm bt przdn nebo obsahovat nsledujc znaky: (nov dek) \ / : * ? &quot; |</translation> </message> <message> <source>The project name you specified is already used.</source> <translation>Zadan nzev projektu se ji pouv.</translation> </message> <message> <source>Create In:</source> <translation type="unfinished"></translation> </message> <message> <source>Project &apos;%1&apos; already exists</source> <translation type="unfinished">Projekt %1 ji existuje</translation> </message> </context> <context> <name>ExportXDTSCommand</name> <message> <source>None</source> <translation type="unfinished"></translation> </message> </context> <context> <name>ExportXsheetPdfPopup</name> <message> <source>Export Xsheet PDF</source> <translation type="unfinished"></translation> </message> <message> <source>Print Export DateTime</source> <translation type="unfinished"></translation> </message> <message> <source>Print Scene Path</source> <translation type="unfinished"></translation> </message> <message> <source>Print Soundtrack</source> <translation type="unfinished"></translation> </message> <message> <source>Print Scene Name</source> <translation type="unfinished"></translation> </message> <message> <source>Put Serial Frame Numbers Over Pages</source> <translation type="unfinished"></translation> </message> <message> <source>Print Level Names On The Bottom</source> <translation type="unfinished"></translation> </message> <message> <source>Print Dialogue</source> <translation type="unfinished"></translation> </message> <message> <source>Text</source> <translation type="unfinished">Text</translation> </message> <message> <source>Image</source> <translation type="unfinished">Obrzek</translation> </message> <message> <source>&lt; Prev</source> <translation type="unfinished"></translation> </message> <message> <source>Next &gt;</source> <translation type="unfinished"></translation> </message> <message> <source>Export PDF</source> <translation type="unfinished"></translation> </message> <message> <source>Export PNG</source> <translation type="unfinished"></translation> </message> <message> <source>Cancel</source> <translation type="unfinished">Zruit</translation> </message> <message> <source>ACTIONS</source> <translation type="unfinished"></translation> </message> <message> <source>CELLS</source> <translation type="unfinished"></translation> </message> <message> <source>Always</source> <translation type="unfinished"></translation> </message> <message> <source>More Than 3 Continuous Cells</source> <translation type="unfinished"></translation> </message> <message> <source>None</source> <translation type="unfinished"></translation> </message> <message> <source>Template Settings</source> <translation type="unfinished"></translation> </message> <message> <source>Template:</source> <translation type="unfinished"></translation> </message> <message> <source>Line color:</source> <translation type="unfinished"></translation> </message> <message> <source>Template font:</source> <translation type="unfinished"></translation> </message> <message> <source>Logo:</source> <translation type="unfinished"></translation> </message> <message> <source>Export Settings</source> <translation type="unfinished"></translation> </message> <message> <source>Output area:</source> <translation type="unfinished"></translation> </message> <message> <source>Output font:</source> <translation type="unfinished"></translation> </message> <message> <source>Continuous line:</source> <translation type="unfinished"></translation> </message> <message> <source>Keyframe mark:</source> <translation type="unfinished"></translation> </message> <message> <source>Memo:</source> <translation type="unfinished"></translation> </message> <message> <source>Save in:</source> <translation type="unfinished">Uloit v:</translation> </message> <message> <source>Name:</source> <translation type="unfinished">Nzev:</translation> </message> <message> <source>B4 size, 3 seconds sheet</source> <translation type="unfinished"></translation> </message> <message> <source>B4 size, 6 seconds sheet</source> <translation type="unfinished"></translation> </message> <message> <source>A3 size, 3 seconds sheet</source> <translation type="unfinished"></translation> </message> <message> <source>A3 size, 6 seconds sheet</source> <translation type="unfinished"></translation> </message> <message> <source>Col%1</source> <translation type="unfinished"></translation> </message> <message> <source>The preset file %1 is not valid.</source> <translation type="unfinished"></translation> </message> <message numerus="yes"> <source>%n page(s)</source> <translation type="unfinished"> <numerusform></numerusform> <numerusform></numerusform> <numerusform></numerusform> </translation> </message> <message> <source>%1 x %2 pages</source> <translation type="unfinished"></translation> </message> <message> <source>Please specify the file name.</source> <translation type="unfinished"></translation> </message> <message> <source>The file %1 already exists. Do you want to overwrite it?</source> <translation type="unfinished">Soubor %1 ji existuje. Chcete jej pepsat?</translation> </message> <message> <source>A folder %1 does not exist. Do you want to create it?</source> <translation type="unfinished"></translation> </message> <message> <source>Failed to create folder %1.</source> <translation type="unfinished"></translation> </message> <message> <source>Frame length:</source> <translation type="unfinished"></translation> </message> <message> <source>Inbetween mark 1:</source> <translation type="unfinished"></translation> </message> <message> <source>Inbetween mark 2:</source> <translation type="unfinished"></translation> </message> </context> <context> <name>ExpressionReferenceManager</name> <message> <source>Expression monitoring restarted: &quot;%1&quot;</source> <translation>Znovusputno sledovn vraz: &quot;%1&quot;</translation> </message> <message> <source>Expression modified: &quot;%1&quot; key at frame %2, %3 -&gt; %4</source> <translation>Vraz zmnn: &quot;%1&quot; kl na snmku %2, %3 -&gt; %4</translation> </message> <message> <source>Following parameters will lose reference in expressions:</source> <translation>Nsledujc parametry ztrat odkaz ve vrazech:</translation> </message> <message> <source>(To be in the sub xsheet)</source> <translation>(m bt v podzbru)</translation> </message> <message> <source>Do you want to continue the operation anyway ?</source> <translation>Chcete pesto pokraovat v operaci?</translation> </message> <message> <source>(In the current xsheet)</source> <translation>(v nynjm podzbru)</translation> </message> <message> <source>(To be brought from the subxsheet)</source> <translation>(m bt pineseno z podzbru)</translation> </message> <message> <source> Do you want to explode anyway ?</source> <translation> Chcete pesto rozbalit?</translation> </message> <message> <source>(In a sub xsheet)</source> <translation>(v podzbru)</translation> </message> <message> <source>Following parameters may contain broken references in expressions:</source> <translation>Nsledujc parametry mohou obsahovat pokozen odkazy ve vrazech:</translation> </message> <message> <source>Do you want to save the scene anyway ?</source> <translation>Chcete vjev pesto uloit?</translation> </message> </context> <context> <name>FarmServerListView</name> <message> <source>Activate</source> <translation>Zapnout</translation> </message> <message> <source>Deactivate</source> <translation>Vypnout</translation> </message> </context> <context> <name>FileBrowser</name> <message> <source>Folder: </source> <translation>Sloka: </translation> </message> <message> <source>Can&apos;t change file extension</source> <translation>Pponu souboru nelze zmnit</translation> </message> <message> <source>Can&apos;t set a drawing number</source> <translation>Nelze nastavit slo kresby</translation> </message> <message> <source>Can&apos;t rename. File already exists: </source> <translation>Pejmenovn nen mon. Ji existuje soubor:</translation> </message> <message> <source>Couldn&apos;t rename </source> <translation>Nepodailo se pejmenovat </translation> </message> <message> <source>Preview Screensaver</source> <translation type="vanished">Nhled na spoi obrazovky</translation> </message> <message> <source>Install Screensaver</source> <translation type="vanished">Nainstalovat spoi obrazovky</translation> </message> <message> <source>Load As Sub-xsheet</source> <translation>Nahrt jako podzbr</translation> </message> <message> <source>Load</source> <translation>Nahrt</translation> </message> <message> <source>Rename</source> <translation>Pejmenovat</translation> </message> <message> <source>Convert to Painted TLV</source> <translation>Pevst na nabarven TLV</translation> </message> <message> <source>Convert to Unpainted TLV</source> <translation>Pevst na nenabarven TLV</translation> </message> <message> <source>Version Control</source> <translation>Sprva verz</translation> </message> <message> <source>Save Scene</source> <translation>Uloit vjev</translation> </message> <message> <source>Scene name:</source> <translation>Nzev vjevu:</translation> </message> <message> <source>Yes</source> <translation>Ano</translation> </message> <message> <source>No</source> <translation>Ne</translation> </message> <message> <source>Warning: level %1 already exists; overwrite?</source> <translation>Varovn: rove %1 ji existuje. Pepsat?</translation> </message> <message> <source>Done: 2 Levels converted to TLV Format</source> <translation>Hotovo: 2 rovn byly pevedeny do formtu TLV</translation> </message> <message> <source>Done: All Levels converted to TLV Format</source> <translation>Hotovo: Vechny rovn byly pevedeny do formtu TLV</translation> </message> <message> <source>Edit</source> <translation>Upravit</translation> </message> <message> <source>Edit Frame Range...</source> <translation>Upravit rozsah snmk...</translation> </message> <message> <source>Put...</source> <translation>Nahradit...</translation> </message> <message> <source>Revert</source> <translation>Vrtit</translation> </message> <message> <source>Get</source> <translation>Zskat</translation> </message> <message> <source>Delete</source> <translation>Smazat</translation> </message> <message> <source>Get Revision...</source> <translation>Zskat revizi...</translation> </message> <message> <source>Unlock</source> <translation>Odemknout</translation> </message> <message> <source>Edit Info</source> <translation>Upravit informace</translation> </message> <message> <source>Revision History...</source> <translation>Prbh zmn...</translation> </message> <message> <source>Unlock Frame Range</source> <translation>Odemknout rozsah snmk</translation> </message> <message> <source>New Folder</source> <translation>Nov sloka</translation> </message> <message> <source>There was an error copying %1 to %2</source> <translation>Pi koprovn z %1 do %2 se vyskytla chyba</translation> </message> <message> <source>It is not possible to create the %1 folder.</source> <translation>Sloku %1 nelze vytvoit.</translation> </message> <message> <source>Some files that you want to edit are currently opened. Close them first.</source> <translation>Nkter soubory, je chcete vytvoit, jsou nyn oteveny. Nejprve je, prosm, zavete.</translation> </message> <message> <source>Some files that you want to unlock are currently opened. Close them first.</source> <translation>Nkter soubory, je chcete odemknout, jsou nyn oteveny. Nejprve je, prosm, zavete.</translation> </message> <message> <source>Convert To Unpainted Tlv</source> <translation>Pevst na nenabarven TLV</translation> </message> <message> <source>Convert To Painted Tlv</source> <translation>Pevst na nabarven TLV</translation> </message> <message> <source>Open folder failed</source> <translation>Sloku se nepodailo otevt</translation> </message> <message> <source>The input folder path was invalid.</source> <translation>Cesta ke vstupn sloce byla neplatn.</translation> </message> </context> <context> <name>FileBrowserPopup</name> <message> <source>Invalid file</source> <translation>Neplatn soubor</translation> </message> <message> <source>Ok</source> <translation type="vanished">OK</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>File name:</source> <translation>Nzev souboru:</translation> </message> <message> <source>From:</source> <translation type="vanished">Od:</translation> </message> <message> <source>To:</source> <translation type="vanished">Do:</translation> </message> <message> <source>Apply</source> <translation>Pout</translation> </message> <message> <source>OK</source> <translation>OK</translation> </message> <message> <source>Folder name:</source> <translation>Nzev sloky:</translation> </message> </context> <context> <name>FileData</name> <message> <source>It is not possible to find the %1 level.</source> <translation type="vanished">rove %1 nelze najt.</translation> </message> <message> <source>There was an error copying %1</source> <translation type="vanished">Pi koprovn %1 se vyskytla chyba</translation> </message> </context> <context> <name>FileSelection</name> <message> <source>Abort</source> <translation type="vanished">Zruit</translation> </message> <message> <source>Collecting assets...</source> <translation type="vanished">Sbr se materil...</translation> </message> <message> <source>Importing scenes...</source> <translation type="vanished">Zavd se zbry...</translation> </message> </context> <context> <name>FileSettingsPopup</name> <message> <source>Save in:</source> <translation type="vanished">Uloit v:</translation> </message> <message> <source>File Format:</source> <translation type="vanished">Formt souboru:</translation> </message> </context> <context> <name>Filmstrip</name> <message> <source>Level: </source> <translation>rove:</translation> </message> <message> <source>Level Strip</source> <translation>Prouek rovn</translation> </message> <message> <source>- No Current Level -</source> <translation>- dn nynj rove -</translation> </message> </context> <context> <name>FilmstripFrameHeadGadget</name> <message> <source>Click to Toggle Fixed Onion Skin</source> <translation>Klepnte pro pepnut pevnho cibulovho vzhledu</translation> </message> <message> <source>Click / Drag to Toggle Onion Skin</source> <translation>Klepnte/Thnte pro pepnut cibulovho vzhledu</translation> </message> <message> <source>Drag to Extend Onion Skin, Double Click to Toggle All</source> <translation>Thnte pro rozen cibulovho vzhledu, dvakrt klepnte pro pepnut veho</translation> </message> <message> <source>Click to Reset Shift &amp; Trace Markers to Neighbor Frames Hold F2 Key on the Viewer to Show This Frame Only</source> <translation>Klepnte pro znovunastaven znaky pro posunut a obkreslen (pauzovn kresby) na sousedn snmky Podrte klvesu F2 v prohlei pro ukzn pouze tohoto snmku</translation> </message> <message> <source>Click to Hide This Frame from Shift &amp; Trace Hold F1 Key on the Viewer to Show This Frame Only</source> <translation>Klepnte pro skryt tohoto snmku z posunut a obkreslen (pauzovn kresby) Podrte klvesu F1 v prohlei pro ukzn pouze tohoto snmku</translation> </message> <message> <source>Click to Hide This Frame from Shift &amp; Trace Hold F3 Key on the Viewer to Show This Frame Only</source> <translation>Klepnte pro skryt tohoto snmku z posunut a obkreslen (pauzovn kresby) Podrte klvesu F3 v prohlei pro ukzn pouze tohoto snmku</translation> </message> <message> <source>Click to Move Shift &amp; Trace Marker</source> <translation>Klepnte pro pesunut znaky pro posunut a obkreslen (pauzovn kresby)</translation> </message> </context> <context> <name>FilmstripFrames</name> <message> <source>Linear</source> <translation>Linern</translation> </message> <message> <source>no icon</source> <translation>dn ikony</translation> </message> <message> <source>Auto Inbetween</source> <translation>Automaticky mezilehl snmky</translation> </message> <message> <source>INBETWEEN</source> <translation>MEZILEHLSNMKY</translation> </message> <message> <source>Panel Settings</source> <translation>Nastaven panelu</translation> </message> <message> <source>Toggle Orientation</source> <translation>Pepnout natoen</translation> </message> <message> <source>Show/Hide Drop Down Menu</source> <translation>Ukzat/Skrt vysouvac nabdku</translation> </message> <message> <source>Show/Hide Level Navigator</source> <translation>Ukzat/Skrt navigtora rovn</translation> </message> <message> <source>Select Level</source> <translation>Vybrat rove</translation> </message> </context> <context> <name>FlipBoOk</name> <message> <source>FlipboOk</source> <translation type="vanished">FlipboOk</translation> </message> <message> <source>Rendered Frames :: From %1 To %2 :: Step %3</source> <translation type="vanished">Zpracovan snmky :: Od %1 do %2 :: Krok %3</translation> </message> <message> <source> :: Shrink </source> <translation type="vanished">:: Zmenit </translation> </message> <message> <source>It is not possible to save FlipboOk content.</source> <translation type="vanished">Obsah FlipboOk nelze uloit.</translation> </message> <message> <source>Saved %1 frames out of %2 in %3</source> <translation type="vanished">%1 snmk z %2 bylo uloeno v %3</translation> </message> <message> <source>The file name cannot be empty or contain any of the following characters:(new line) \ / : * ? &quot; |</source> <translation type="vanished">Nzev souboru nesm bt przdn nebo obsahovat nsledujc znaky: (nov dek) \ / : * ? &quot; |</translation> </message> <message> <source>It is not possible to save because the selected file format is not supported.</source> <translation type="vanished">Nelze uloit, protoe vybran formt souboru nen podporovn.</translation> </message> <message> <source>There are no rendered images to save.</source> <translation type="vanished">Nejsou dn zpracovan obrzky k uloen.</translation> </message> <message> <source>It is not possible to take or compare snapshots for Toonz vector levels.</source> <translation type="vanished">Nen mon vytvoit nebo porovnat ukzky vektorovch rovn Toonz.</translation> </message> <message> <source>File %1 already exists. Do you want to overwrite it?</source> <translation type="vanished">Soubor %1 ji existuje. Chcete jej pepsat?</translation> </message> </context> <context> <name>FlipBook</name> <message> <source>Flipbook</source> <translation>FlipboOk</translation> </message> <message> <source>The file name cannot be empty or contain any of the following characters:(new line) \ / : * ? &quot; |</source> <translation>Nzev souboru nesm bt przdn nebo obsahovat nsledujc znaky: (nov dek) \ / : * ? &quot; |</translation> </message> <message> <source>It is not possible to save because the selected file format is not supported.</source> <translation>Nelze uloit, protoe vybran formt souboru nen podporovn.</translation> </message> <message> <source>File %1 already exists. Do you want to overwrite it?</source> <translation>Soubor %1 ji existuje. Chcete jej pepsat?</translation> </message> <message> <source>It is not possible to save Flipbook content.</source> <translation>Nen mon uloit obsah FlipboOk.</translation> </message> <message> <source>Saved %1 frames out of %2 in %3</source> <translation>%1 snmk z %2 bylo uloeno v %3</translation> </message> <message> <source>There are no rendered images to save.</source> <translation>Nejsou dn zpracovan obrzky k uloen.</translation> </message> <message> <source>It is not possible to take or compare snapshots for Toonz vector levels.</source> <translation>Nen mon vytvoit nebo porovnat ukzky vektorovch rovn Toonz.</translation> </message> <message> <source>Rendered Frames :: From %1 To %2 :: Step %3</source> <translation>Zpracovan snmky :: Od %1 do %2 :: Krok %3</translation> </message> <message> <source> :: Shrink </source> <translation>:: Zmenit </translation> </message> <message> <source>Gamma : %1</source> <translation type="unfinished"></translation> </message> </context> <context> <name>FlipbookPanel</name> <message> <source>Safe Area (Right Click to Select)</source> <translation>Bezpen oblast (klepnut pravm tlatkem myi pro vybrn)</translation> </message> <message> <source>Minimize</source> <translation>Zmenit</translation> </message> </context> <context> <name>FormatSettingsPopup</name> <message> <source>File Settings</source> <translation>Nastaven souboru</translation> </message> <message> <source>Configure Codec</source> <translation>Nastavit kodek</translation> </message> <message> <source>. (period)</source> <translation type="unfinished"></translation> </message> <message> <source>_ (underscore)</source> <translation type="unfinished"></translation> </message> <message> <source>No padding</source> <translation type="unfinished"></translation> </message> <message> <source>Frame Number Format</source> <translation type="unfinished"></translation> </message> <message> <source>Separate Character:</source> <translation type="unfinished"></translation> </message> <message> <source>Padding:</source> <translation type="unfinished"></translation> </message> <message> <source>Close</source> <translation type="unfinished">Zavt</translation> </message> </context> <context> <name>FrameHeadGadget</name> <message> <source>Current Frame</source> <translation>Nynj snmek</translation> </message> <message> <source>Relative Onion Skin Toggle</source> <translation type="vanished">Pepnout relativn cibulov vzhled</translation> </message> <message> <source>Fixed Onion Skin Toggle</source> <translation>Pepnout pevn cibulov vzhled</translation> </message> </context> <context> <name>FxParamEditorPopup</name> <message> <source>Fx Settings</source> <translation>Nastaven efektu</translation> </message> </context> <context> <name>ImageViewer</name> <message> <source>FlipboOk Histogram</source> <translation type="vanished">Histogram FlipboOk</translation> </message> <message> <source>Clone Preview</source> <translation>Klonovat nhled</translation> </message> <message> <source>Unfreeze Preview</source> <translation>Pokraovat v nhledu</translation> </message> <message> <source>Freeze Preview</source> <translation>Pozastavit nhled</translation> </message> <message> <source>Regenerate Preview</source> <translation>Obnovit nhled</translation> </message> <message> <source>Regenerate Frame Preview</source> <translation>Obnovit nhled snmku</translation> </message> <message> <source>Reset View</source> <translation>Obnovit vchoz pohled</translation> </message> <message> <source>Fit To Window</source> <translation>Pizpsobit oknu</translation> </message> <message> <source>Exit Full Screen Mode</source> <translation>Ukonit reim cel obrazovky</translation> </message> <message> <source>Full Screen Mode</source> <translation>Reim cel obrazovky</translation> </message> <message> <source>Load Images</source> <translation type="vanished">Nahrt obrzky</translation> </message> <message> <source>Append Images</source> <translation type="vanished">Pipojit obrzky</translation> </message> <message> <source>Save Images</source> <translation>Uloit obrzky</translation> </message> <message> <source>Show Histogram</source> <translation>Ukzat histogram</translation> </message> <message> <source>Swap Compared Images</source> <translation>Vymnit porovnvan obrzky</translation> </message> <message> <source> :: Zoom : </source> <translation>:: Zvten:</translation> </message> <message> <source>Load / Append Images</source> <translation>Nahrt/Pipojit obrzky</translation> </message> <message> <source>Flipbook Histogram</source> <translation>Histogram FlipboOk</translation> </message> </context> <context> <name>ImportMagpieFilePopup</name> <message> <source>Import Magpie File</source> <translation type="vanished">Zavst soubor MAGPIE</translation> </message> <message> <source>Load</source> <translation>Nahrt</translation> </message> <message> <source>%1 does not exist.</source> <translation>%1 neexistuje.</translation> </message> <message> <source>Import Toonz Lip Sync File</source> <translation>Zavst soubor synchronizace okraje Toonz</translation> </message> </context> <context> <name>InbetweenDialog</name> <message> <source>Inbetween</source> <translation>Mezilehl snmky</translation> </message> <message> <source>Linear</source> <translation>Linern</translation> </message> <message> <source>Ease In</source> <translation>Zpomalen na zatku</translation> </message> <message> <source>Ease Out</source> <translation>Zpomalen na konci</translation> </message> <message> <source>Ease In / Ease Out</source> <translation>Zpomalen na zatku/na konci</translation> </message> <message> <source>Interpolation:</source> <translation>Interpolace:</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> </context> <context> <name>InsertFxPopup</name> <message> <source>FX Browser</source> <translation>Nov efekt</translation> </message> <message> <source>Insert</source> <translation>Vloit</translation> </message> <message> <source>Add</source> <translation>Pidat</translation> </message> <message> <source>Replace</source> <translation>Nahradit</translation> </message> <message> <source>Macro</source> <translation>Makro</translation> </message> <message> <source>Remove Macro FX</source> <translation>Odstranit makro-efekt</translation> </message> <message> <source>Remove Preset</source> <translation>Odstranit pednastaven</translation> </message> <message> <source>Yes</source> <translation>Ano</translation> </message> <message> <source>No</source> <translation>Ne</translation> </message> <message> <source>Are you sure you want to delete %1?</source> <translation>Opravdu chcete smazat %1?</translation> </message> <message> <source>It is not possible to delete %1.</source> <translation>%1 nelze smazat.</translation> </message> <message> <source>Search:</source> <translation>Hledat:</translation> </message> </context> <context> <name>ItemInfoView</name> <message> <source>Bold</source> <translation>Tun</translation> </message> <message> <source>Italic</source> <translation>Kurzva</translation> </message> <message> <source>Ignore</source> <translation>Pehlet</translation> </message> <message> <source>Keep</source> <translation>Zachovat</translation> </message> <message> <source>Name:</source> <translation>Nzev:</translation> </message> <message> <source>Type:</source> <translation>Typ:</translation> </message> <message> <source>Path:</source> <translation>Cesta:</translation> </message> <message> <source>Aspect Ratio:</source> <translation>Pomr stran:</translation> </message> <message> <source>Font:</source> <translation>Psmo:</translation> </message> <message> <source>Max Size:</source> <translation>Nejvt velikost:</translation> </message> <message> <source>No item selected.</source> <translation>Nevybrna dn poloka.</translation> </message> <message> <source>Item</source> <translation>Poloka</translation> </message> </context> <context> <name>ItemListView</name> <message> <source>Add</source> <translation>Pidat</translation> </message> <message> <source>Remove</source> <translation>Odstranit</translation> </message> <message> <source>Move Up</source> <translation>Posunout nahoru</translation> </message> <message> <source>Move Down</source> <translation>Posunout dol</translation> </message> </context> <context> <name>LayerFooterPanel</name> <message> <source>Zoom in/out of timeline</source> <translation>Piblit/Oddlit asovou osu</translation> </message> <message> <source>Zoom in (Ctrl-click to zoom in all the way)</source> <translation>Piblit (Ctrl+klepnut pro piblen)</translation> </message> <message> <source>Zoom out (Ctrl-click to zoom out all the way)</source> <translation>Oddlit (Ctrl+klepnut pro oddlen)</translation> </message> <message> <source>Zoom in/out of xsheet</source> <translation type="unfinished"></translation> </message> <message> <source>%1 frames per page</source> <translation type="unfinished"></translation> </message> </context> <context> <name>LayerHeaderPanel</name> <message> <source>Preview Visibility Toggle All</source> <translation>Viditelnost nhledu Pepnout ve</translation> </message> <message> <source>Camera Stand Visibility Toggle All</source> <translation>Viditelnost stanovit kamery Pepnout ve</translation> </message> <message> <source>Lock Toggle All</source> <translation>Zmek Pepnout ve</translation> </message> </context> <context> <name>LevelCreatePopup</name> <message> <source>New Level</source> <translation>Nov rove</translation> </message> <message> <source>Name:</source> <translation>Nzev:</translation> </message> <message> <source>To:</source> <translation>Ke snmku:</translation> </message> <message> <source>From:</source> <translation>Od snmku:</translation> </message> <message> <source>Increment:</source> <translation>Prstek:</translation> </message> <message> <source>Step:</source> <translation>Krok:</translation> </message> <message> <source>Type:</source> <translation>Typ:</translation> </message> <message> <source>Save in:</source> <translation type="vanished">Uloit v:</translation> </message> <message> <source>Width:</source> <translation>ka:</translation> </message> <message> <source>Height:</source> <translation>Vka:</translation> </message> <message> <source>Create</source> <translation type="vanished">Vytvoit</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>DPI:</source> <translation>DPI:</translation> </message> <message> <source>No level name specified: please choose a valid level name</source> <translation>Pro soubor nestanoven dn nzev rovn: Zvolte, prosm, platn nzev pro rove</translation> </message> <message> <source>Invalid frame range</source> <translation>Neplatn rozsah snmk</translation> </message> <message> <source>Invalid step value</source> <translation>Neplatn hodnota kroku</translation> </message> <message> <source>The level name specified is already used: please choose a different level name</source> <translation>Nzev rovn se ji pouv: Zvolte, prosm, jin nzev</translation> </message> <message> <source>Folder %1 doesn&apos;t exist. Do you want to create it?</source> <translation>Sloka %1 ji existuje. Chcete ji vytvoit?</translation> </message> <message> <source>Unable to create</source> <translation>Nelze vytvoit</translation> </message> <message> <source>Invalid increment value</source> <translation>Neplatn hodnota prstku</translation> </message> <message> <source>Ok</source> <translation type="vanished">OK</translation> </message> <message> <source>Apply</source> <translation>Pout</translation> </message> <message> <source>Save In:</source> <translation>Uloit v:</translation> </message> <message> <source>OK</source> <translation>OK</translation> </message> <message> <source>Toonz Vector Level</source> <translation>Vektorov rove Toonz</translation> </message> <message> <source>Toonz Raster Level</source> <translation>Rastrov rove Toonz</translation> </message> <message> <source>Raster Level</source> <translation>rove rastru</translation> </message> <message> <source>Scan Level</source> <translation>rove skenu</translation> </message> <message> <source>Format:</source> <translation type="unfinished">Formt:</translation> </message> <message> <source>Frame Format</source> <translation type="unfinished"></translation> </message> </context> <context> <name>LevelSettingsPopup</name> <message> <source>Level Settings</source> <translation>Nastaven rovn</translation> </message> <message> <source>Name:</source> <translation>Nzev:</translation> </message> <message> <source>Path:</source> <translation>Cesta:</translation> </message> <message> <source>Scan Path:</source> <translation>Cesta ke zdigitalizovanmu obrzku:</translation> </message> <message> <source>Forced Squared Pixel</source> <translation>Vynucen pravohl pixel</translation> </message> <message> <source>Width:</source> <translation>ka:</translation> </message> <message> <source>Height:</source> <translation>Vka:</translation> </message> <message> <source>Use Camera DPI</source> <translation>Pout DPI kamery</translation> </message> <message> <source>Camera DPI:</source> <translation>DPI kamery:</translation> </message> <message> <source>Image DPI:</source> <translation>DPI obrzku:</translation> </message> <message> <source>Image Resolution:</source> <translation type="vanished">Rozlien obrzku:</translation> </message> <message> <source>Premultiply</source> <translation>Pednsobit [ern-pozad]</translation> </message> <message> <source>White As Transparent</source> <translation>Bl jako prhledn</translation> </message> <message> <source> Subsampling:</source> <translation type="vanished">Podvzorkovn:</translation> </message> <message> <source>DPI:</source> <translation>DPI:</translation> </message> <message> <source>The file %1 is not a sound level.</source> <translation>Soubor %1 nen rovn zvuku.</translation> </message> <message> <source>Add Antialiasing</source> <translation>Pidat vyhlazovn</translation> </message> <message> <source>Antialias Softness:</source> <translation>Jemnost vyhlazovn:</translation> </message> <message> <source>Subsampling:</source> <translation>Podvzorkovn:</translation> </message> <message> <source>Name &amp;&amp; Path</source> <translation>Nzev rovn a cesta k souboru</translation> </message> <message> <source>DPI &amp;&amp; Resolution</source> <translation>DPI a rozlien</translation> </message> <message> <source>Resolution:</source> <translation>Rozlien:</translation> </message> <message> <source>Resolution</source> <translation>Rozlien</translation> </message> <message> <source>Image DPI</source> <translation>DPI obrzku</translation> </message> <message> <source>Custom DPI</source> <translation>Vlastn DPI</translation> </message> <message> <source>Scan level</source> <translation type="vanished">rove digitalizovanho obrzku</translation> </message> <message> <source>Raster level</source> <translation>rove rastru</translation> </message> <message> <source>Mesh level</source> <translation>rove st</translation> </message> <message> <source>Palette level</source> <translation>rove palety</translation> </message> <message> <source>Sound Column</source> <translation>Sloupec zvuku</translation> </message> <message> <source>Toonz Vector level</source> <translation>Vektorov rove Toonz</translation> </message> <message> <source>Toonz Raster level</source> <translation>Rastrov rove Toonz</translation> </message> <message> <source>[Various]</source> <translation>[Rzn]</translation> </message> <message> <source>SubXsheet Level</source> <translation>rove podzbru</translation> </message> <message> <source>Another Level Type</source> <translation>Dal formt rovn</translation> </message> <message> <source>Color Space Gamma:</source> <translation type="unfinished"></translation> </message> </context> <context> <name>LineTestCapturePane</name> <message> <source>Name:</source> <translation type="vanished">Nzev:</translation> </message> <message> <source>Frame:</source> <translation type="vanished">Snmek:</translation> </message> <message> <source>Increment:</source> <translation type="vanished">Prstek:</translation> </message> <message> <source>Step:</source> <translation type="vanished">Krok:</translation> </message> <message> <source>Mode:</source> <translation type="vanished">Reim:</translation> </message> <message> <source>New </source> <translation type="vanished">Nov </translation> </message> <message> <source>Overwite </source> <translation type="vanished">Pepsat </translation> </message> <message> <source>Insert</source> <translation type="vanished">Vloit</translation> </message> <message> <source> Onion Skin </source> <translation type="vanished"> Cibulov vzhled </translation> </message> <message> <source> View Frame</source> <translation type="vanished"> Zobrazit snmek</translation> </message> <message> <source>Fade:</source> <translation type="vanished">Prolnn:</translation> </message> <message> <source> Connection</source> <translation type="vanished"> Spojen</translation> </message> <message> <source> Capture </source> <translation type="vanished"> Zachytvn </translation> </message> <message> <source>Capture Settings</source> <translation type="vanished">Nastaven zachytvn</translation> </message> <message> <source> File Settings </source> <translation type="vanished"> Nastaven souboru </translation> </message> <message> <source>Bad Selection.</source> <translation type="vanished">Vbr je neplatn.</translation> </message> <message> <source>No Device Defined.</source> <translation type="vanished">Nebylo nalezeno dn zazen.</translation> </message> <message> <source>Cannot connect Camera</source> <translation type="vanished">Nelze spojit kameru</translation> </message> <message> <source>Device Disconnected.</source> <translation type="vanished">Zazen bylo odpojeno.</translation> </message> <message> <source>LineTest Capture</source> <translation type="vanished">rov zkouka Zachycen</translation> </message> </context> <context> <name>LineTestPane</name> <message> <source>Untitled</source> <translation type="vanished">Bez nzvu</translation> </message> <message> <source>Scene: </source> <translation type="vanished">Vjev: </translation> </message> <message> <source> :: Frame: </source> <translation type="vanished">:: Snmek: </translation> </message> <message> <source> :: Level: </source> <translation type="vanished">:: rove: </translation> </message> <message> <source>Level: </source> <translation type="vanished">rove: </translation> </message> <message> <source>Preview</source> <translation type="vanished">Nhled</translation> </message> </context> <context> <name>LinesFadePopup</name> <message> <source>Color Fade</source> <translation>Clona barvy</translation> </message> <message> <source>Fade:</source> <translation>Prolnn:</translation> </message> <message> <source>Intensity:</source> <translation>Sla:</translation> </message> <message> <source>Apply</source> <translation>Pout</translation> </message> </context> <context> <name>LipSyncPopup</name> <message> <source>Apply Lip Sync Data</source> <translation>Pout data synchronizace okraje</translation> </message> <message> <source>Apply</source> <translation>Pout</translation> </message> <message> <source>A I Drawing</source> <translation>Kresba A I</translation> </message> <message> <source>O Drawing</source> <translation>Kresba O</translation> </message> <message> <source>E Drawing</source> <translation>Kresba E</translation> </message> <message> <source>U Drawing</source> <translation>Kresba U</translation> </message> <message> <source>L Drawing</source> <translation>Kresba L</translation> </message> <message> <source>W Q Drawing</source> <translation>Kresba W Q</translation> </message> <message> <source>M B P Drawing</source> <translation>Kresba M B P</translation> </message> <message> <source>F V Drawing</source> <translation>Kresba F V</translation> </message> <message> <source>Rest Drawing</source> <translation>Kresba zbytku</translation> </message> <message> <source>C D G K N R S Th Y Z</source> <translation>C D G K N R S Th Y Z</translation> </message> <message> <source>Extend Rest Drawing to End Marker</source> <translation>Rozit kresbu zbytku po znaku pro zastaven</translation> </message> <message> <source>Previous Drawing</source> <translation>Pedchoz obraz</translation> </message> <message> <source>Next Drawing</source> <translation>Dal obraz</translation> </message> <message> <source>Insert at Frame: </source> <translation>Vloit snmek: </translation> </message> <message> <source>Lip Sync Data File: </source> <translation>Soubor s daty pro synchronizace okraje: </translation> </message> <message> <source>Thumbnails are not available for sub-Xsheets. Please use the frame numbers for reference.</source> <translation>Nhledy nejsou dostupn pro podzbry. Pro odkaz, prosm, pouijte sla snmk.</translation> </message> <message> <source>Unable to apply lip sync data to this column type</source> <translation>Data pro synchronizace okraje nelze pout pro tento typ sloupce</translation> </message> <message> <source>SubXSheet Frame </source> <translation>Snmek v podzbru </translation> </message> <message> <source>Unable to open the file: </source> <translation>Nelze otevt soubor: </translation> </message> <message> <source>Invalid data file.</source> <translation>Neplatn soubor s daty.</translation> </message> <message> <source>Drawing: </source> <translation>Kresba: </translation> </message> </context> <context> <name>LoadBoardPresetFilePopup</name> <message> <source>Load Clapperboard Settings Preset</source> <translation>Nahrt pednastaven nastaven filmov klapky</translation> </message> </context> <context> <name>LoadCalibrationFilePopup</name> <message> <source>Load Camera Calibration Settings</source> <translation type="unfinished"></translation> </message> </context> <context> <name>LoadColorModelPopup</name> <message> <source>Load Color Model</source> <translation>Nahrt barevn model</translation> </message> <message> <source>Load</source> <translation>Nahrt</translation> </message> <message> <source>Palette from Frame:</source> <translation type="vanished">Paleta ze snmku:</translation> </message> <message> <source>Frames :</source> <translation>Snmky:</translation> </message> </context> <context> <name>LoadCurvePopup</name> <message> <source>Load Curve</source> <translation type="vanished">Nahrt kivku (parametr efektu)</translation> </message> <message> <source>Load</source> <translation type="vanished">Nahrt</translation> </message> </context> <context> <name>LoadFolderPopup</name> <message> <source>Load Folder</source> <translation>Nahrt sloku</translation> </message> </context> <context> <name>LoadImagesPopup</name> <message> <source>Load Images</source> <translation>Nahrt obrzky</translation> </message> <message> <source>Load</source> <translation>Nahrt</translation> </message> <message> <source>Append Images</source> <translation type="vanished">Pipojit obrzky</translation> </message> <message> <source>From:</source> <translation>Od snmku:</translation> </message> <message> <source>To:</source> <translation>Ke snmku:</translation> </message> <message> <source>Step:</source> <translation>Krok:</translation> </message> <message> <source>Shrink:</source> <translation>Zmenit:</translation> </message> <message> <source>Append</source> <translation>Pipojit</translation> </message> <message> <source>Load / Append Images</source> <translation>Nahrt/Pipojit obrzky</translation> </message> </context> <context> <name>LoadLevelPopup</name> <message> <source>On Demand</source> <translation>Pi poteb</translation> </message> <message> <source>All Icons</source> <translation>Nahrt vechny ikony</translation> </message> <message> <source>All Icons &amp; Images</source> <translation>Vechny ikony a obrzky</translation> </message> <message> <source>Load Level</source> <translation>Nahrt rove</translation> </message> <message> <source>Load</source> <translation>Nahrt</translation> </message> <message> <source>%1 does not exist.</source> <translation type="vanished">%1 neexistuje.</translation> </message> <message> <source>TLV Caching Behavior</source> <translation type="vanished">Chovn ukldn do vyrovnvac pamti TLV</translation> </message> <message> <source>Load Subsequence Level</source> <translation>Nahrt podsnmek</translation> </message> <message> <source>Arrangement in Xsheet</source> <translation type="vanished">Seazen v Xsheet</translation> </message> <message> <source>(FILE DOES NOT EXIST)</source> <translation>Soubor neexistuje</translation> </message> <message> <source>From:</source> <translation>Od:</translation> </message> <message> <source> To:</source> <translation> Do:</translation> </message> <message> <source> Step:</source> <translation> Krok:</translation> </message> <message> <source> Inc:</source> <translation> Prstek sla obrzku:</translation> </message> <message> <source>Level Name:</source> <translation>Nzev rovn:</translation> </message> <message> <source> Frames:</source> <translation> Snmky:</translation> </message> <message> <source>::</source> <translation>::</translation> </message> <message> <source>Level Settings &amp; Arrangement in Xsheet</source> <translation>Nastaven rovn a seazen v podzbru</translation> </message> <message> <source>Premultiply</source> <translation>Pednsobit</translation> </message> <message> <source>White As Transparent</source> <translation>Bl jako prhledn</translation> </message> <message> <source>DPI:</source> <translation>DPI:</translation> </message> <message> <source>Antialias Softness:</source> <translation>Jemnost vyhlazovn:</translation> </message> <message> <source>Subsampling:</source> <translation>Podvzorkovn:</translation> </message> <message> <source>Raster Level Caching Behavior</source> <translation type="unfinished"></translation> </message> </context> <context> <name>LoadScenePopup</name> <message> <source>Load Scene</source> <translation>Nahrt vjev</translation> </message> <message> <source>Load</source> <translation>Nahrt</translation> </message> <message> <source> is not a scene file.</source> <translation> nen soubor s vjevem.</translation> </message> <message> <source> does not exist.</source> <translation> neexistuje.</translation> </message> </context> <context> <name>LoadSettingsPopup</name> <message> <source>Load Cleanup Settings</source> <translation type="vanished">Nahrt nastaven vyitn</translation> </message> <message> <source>Load</source> <translation type="vanished">Nahrt</translation> </message> <message> <source>%1 does not exist.</source> <translation type="vanished">%1 neexistuje.</translation> </message> </context> <context> <name>LoadSubScenePopup</name> <message> <source>Load Sub-Xsheet</source> <translation>Nahrt podzbr</translation> </message> <message> <source>Load</source> <translation>Nahrt</translation> </message> <message> <source> is not a scene file.</source> <translation> nen soubor s vjevem.</translation> </message> <message> <source> does not exist.</source> <translation> neexistuje.</translation> </message> </context> <context> <name>LoadTaskListPopup</name> <message> <source>Load Task List</source> <translation>Nahrt seznam loh</translation> </message> <message> <source>Load</source> <translation>Nahrt</translation> </message> <message> <source> does not exist.</source> <translation> neexistuje.</translation> </message> <message> <source>It is possible to load only TNZBAT files.</source> <translation>Je mon nahrt pouze souboryr TNZBAT.</translation> </message> </context> <context> <name>LoadTaskPopup</name> <message> <source>Add</source> <translation>Pidat</translation> </message> <message> <source> does not exist.</source> <translation> neexistuje.</translation> </message> <message> <source>Add Render Task to Batch List</source> <translation>Pidat lohu zpracovn do seznamu dvkovho zpracovn</translation> </message> <message> <source>Add Cleanup Task to Batch List</source> <translation>Pidat lohu vyitn do seznamu dvkovho zpracovn</translation> </message> <message> <source>%1 is not a TNZ file.</source> <translation type="vanished">%1 nen soubor TNZ.</translation> </message> <message> <source> you can load only TNZ files for render task.</source> <translation> Pro lohu zpracovn mete nahrt jen soubory TNZ.</translation> </message> <message> <source> you can load only TNZ or CLN files for cleanup task.</source> <translation> Pro lohu vyitn mete nahrt jen soubory TNZ nebo CLN.</translation> </message> </context> <context> <name>LocatorPopup</name> <message> <source>Locator</source> <translation>Hleda</translation> </message> </context> <context> <name>MagpieFileImportPopup</name> <message> <source>Import Magpie File</source> <translation type="vanished">Zavst soubor MAGPIE</translation> </message> <message> <source>Frame Range</source> <translation>Rozsah snmku</translation> </message> <message> <source>To:</source> <translation type="vanished">Ke snmku:</translation> </message> <message> <source>From:</source> <translation>Od snmku:</translation> </message> <message> <source>Animation Level</source> <translation>rove animace</translation> </message> <message> <source>Level:</source> <translation>rove:</translation> </message> <message> <source>Phoneme</source> <translation>Fonm</translation> </message> <message> <source>Import</source> <translation>Zavst</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>The file path is missing.</source> <translation>Cesta k souboru je neznm.</translation> </message> <message> <source>Import Toonz Lip Sync File</source> <translation>Zavst soubor synchronizace okraje Toonz</translation> </message> <message> <source>To: </source> <translation>Do: </translation> </message> </context> <context> <name>MainWindow</name> <message> <source>Cannot delete</source> <translation>Nelze smazat</translation> </message> <message> <source>Visit Web Site</source> <translation type="vanished">Navtvit internetovou strnku</translation> </message> <message> <source>Cancel</source> <translation type="vanished">Zruit</translation> </message> <message> <source>&amp;New Scene</source> <translation>&amp;Nov vjev</translation> </message> <message> <source>&amp;Load Scene...</source> <translation>&amp;Nahrt vjev...</translation> </message> <message> <source>&amp;Save Scene</source> <translation>&amp;Uloit vjev</translation> </message> <message> <source>&amp;Save Scene As...</source> <translation>&amp;Uloit vjev jako...</translation> </message> <message> <source>&amp;Revert Scene</source> <translation>&amp;Vrtit vjev</translation> </message> <message> <source>&amp;Open Recent Scene File</source> <translation>&amp;Otevt nedvn soubor s vjevem</translation> </message> <message> <source>&amp;Open Recent Level File</source> <translation>&amp;Otevt nedvn soubor s rovn</translation> </message> <message> <source>&amp;Clear Recent Scene File List</source> <translation>&amp;Vyprzdnit seznam nedvnch soubor s vjevy</translation> </message> <message> <source>&amp;Clear Recent level File List</source> <translation>&amp;Vyprzdnit seznam nedvnch soubor s rovnmi</translation> </message> <message> <source>&amp;New Level...</source> <translation>&amp;Nov rove...</translation> </message> <message> <source>&amp;Load Level...</source> <translation>&amp;Nahrt rove...</translation> </message> <message> <source>&amp;Save Level</source> <translation>&amp;Uloit rove</translation> </message> <message> <source>&amp;Save Level As...</source> <translation>&amp;Uloit rove jako...</translation> </message> <message> <source>&amp;Export Level...</source> <translation>&amp;Vyvst rove...</translation> </message> <message> <source>&amp;Save Palette As...</source> <translation>&amp;Uloit paletu jako...</translation> </message> <message> <source>&amp;Save Palette</source> <translation>&amp;Uloit paletu</translation> </message> <message> <source>&amp;Load Color Model...</source> <translation>&amp;Nahrt barevn model...</translation> </message> <message> <source>&amp;Import Magpie File...</source> <translation type="vanished">&amp;Zavst soubor MAGPIE...</translation> </message> <message> <source>&amp;New Project...</source> <translation>&amp;Nov projekt...</translation> </message> <message> <source>&amp;Project Settings...</source> <translation>Nastaven &amp;projektu...</translation> </message> <message> <source>&amp;Save Default Settings</source> <translation>&amp;Uloit nastaven nynjho zbru jako vchoz nastaven projektu</translation> </message> <message> <source>&amp;Output Settings...</source> <translation>Nastaven vstupu...</translation> </message> <message> <source>&amp;Preview Settings...</source> <translation>Nastaven &amp;nhledu...</translation> </message> <message> <source>&amp;Render</source> <translation>&amp;Zpracovn</translation> </message> <message> <source>&amp;Preview</source> <translation>&amp;Nhled</translation> </message> <message> <source>&amp;Save Previewed Frames</source> <translation>&amp;Uloit snmky s nhledem</translation> </message> <message> <source>&amp;Regenerate Preview</source> <translation>&amp;Obnovit nhled</translation> </message> <message> <source>&amp;Regenerate Frame Preview</source> <translation>&amp;Obnovit nhled snmku</translation> </message> <message> <source>&amp;Clone Preview</source> <translation>&amp;Klonovat nhled</translation> </message> <message> <source>&amp;Freeze//Unfreeze Preview</source> <translation>&amp;Pozastavit/Pehrvat nhled</translation> </message> <message> <source>Freeze Preview</source> <translation>Pozastavit nhled</translation> </message> <message> <source>Unfreeze Preview</source> <translation>Pehrvat nhled</translation> </message> <message> <source>&amp;Save As Preset</source> <translation>&amp;Uloit jako pednastaven</translation> </message> <message> <source>&amp;Preferences...</source> <translation>&amp;Nastaven...</translation> </message> <message> <source>&amp;Configure Shortcuts...</source> <translation>&amp;Nastavit klvesov zkratky...</translation> </message> <message> <source>&amp;Print Xsheet</source> <translation>&amp;Vytisknout zbr</translation> </message> <message> <source>&amp;Print Current Frame...</source> <translation>&amp;Vytisknout nynj snmek...</translation> </message> <message> <source>&amp;Quit</source> <translation>&amp;Ukonit</translation> </message> <message> <source>&amp;Select All</source> <translation>Vybrat &amp;ve</translation> </message> <message> <source>&amp;Invert Selection</source> <translation>Obrtit &amp;vbr</translation> </message> <message> <source>&amp;Undo</source> <translation>&amp;Zpt</translation> </message> <message> <source>&amp;Redo</source> <translation>Z&amp;novu</translation> </message> <message> <source>&amp;Cut</source> <translation>&amp;Vyjmout</translation> </message> <message> <source>&amp;Copy</source> <translation>&amp;Koprovat</translation> </message> <message> <source>&amp;Paste</source> <translation type="vanished">&amp;Vloit</translation> </message> <message> <source>&amp;Merge</source> <translation>&amp;Slouit</translation> </message> <message> <source>&amp;Paste Into</source> <translation>&amp;Vloit do</translation> </message> <message> <source>Paste RGBA Values</source> <translation type="vanished">Vloit hodnotu RGBA</translation> </message> <message> <source>&amp;Delete</source> <translation>S&amp;mazat</translation> </message> <message> <source>&amp;Insert</source> <translation>&amp;Vloit</translation> </message> <message> <source>&amp;Group</source> <translation>&amp;Seskupit</translation> </message> <message> <source>&amp;Ungroup</source> <translation>&amp;Zruit seskupen</translation> </message> <message> <source>&amp;Bring to Front</source> <translation type="vanished">&amp;Pinst do poped</translation> </message> <message> <source>&amp;Bring Forward</source> <translation type="vanished">O jeden krok &amp;dopedu</translation> </message> <message> <source>&amp;Send Back</source> <translation type="vanished">&amp;Poslat zpt</translation> </message> <message> <source>&amp;Send Backward</source> <translation type="vanished">O jeden krok d&amp;ozadu</translation> </message> <message> <source>&amp;Enter Group</source> <translation>&amp;Zapnout zpracovn skupiny</translation> </message> <message> <source>&amp;Exit Group</source> <translation>&amp;Vypnout zpracovn skupiny</translation> </message> <message> <source>&amp;Remove Vector Overflow</source> <translation>&amp;Odstranit vektorov pebytek</translation> </message> <message> <source>&amp;Define Scanner...</source> <translation>&amp;Urit skener...</translation> </message> <message> <source>&amp;Scan Settings...</source> <translation>Nastaven &amp;skenovn...</translation> </message> <message> <source>&amp;Scan</source> <translation>&amp;Digitalizovat</translation> </message> <message> <source>&amp;Set Cropbox</source> <translation>&amp;Nastavit oblast znovusezen</translation> </message> <message> <source>&amp;Reset Cropbox</source> <translation>&amp;Nastavit znovu oblast znovusezen</translation> </message> <message> <source>&amp;Cleanup Settings...</source> <translation>Nastaven &amp;vyitn...</translation> </message> <message> <source>&amp;Preview Cleanup</source> <translation>&amp;Nhled vyitn</translation> </message> <message> <source>&amp;Camera Test</source> <translation>Zkouka &amp;kamery</translation> </message> <message> <source>&amp;Cleanup</source> <translation>&amp;Vyistit</translation> </message> <message> <source>&amp;Add Frames...</source> <translation>&amp;Pidat snmky...</translation> </message> <message> <source>&amp;Renumber...</source> <translation>&amp;Peslovat...</translation> </message> <message> <source>&amp;Replace Level...</source> <translation>&amp;Nahradit rove...</translation> </message> <message> <source>&amp;Revert to Cleaned Up</source> <translation>&amp;Vrtit na vyitn</translation> </message> <message> <source>&amp;Revert to Last Saved Version</source> <translation type="vanished">&amp;Vrtit na naposledy uloenou verzi</translation> </message> <message> <source>&amp;Expose in Xsheet</source> <translation>&amp;Uspodat v zbru</translation> </message> <message> <source>&amp;Display in Level Strip</source> <translation>&amp;Zobrazit v prouku rovn</translation> </message> <message> <source>&amp;Level Settings...</source> <translation>Nastaven &amp;rovn...</translation> </message> <message> <source>&amp;Brightness and Contrast...</source> <translation>&amp;Jas a kontrast...</translation> </message> <message> <source>&amp;Color Fade...</source> <translation>Clona &amp;barvy...</translation> </message> <message> <source>&amp;Capture</source> <translation type="vanished">&amp;Zachytvn</translation> </message> <message> <source>&amp;Canvas Size...</source> <translation>&amp;Velikost pracovn plochy...</translation> </message> <message> <source>&amp;Info...</source> <translation>&amp;Informace...</translation> </message> <message> <source>&amp;View...</source> <translation>&amp;Pohled...</translation> </message> <message> <source>&amp;Remove All Unused Levels</source> <translation>&amp;Odstranit vechny nepouvan rovn</translation> </message> <message> <source>&amp;Scene Settings...</source> <translation>Nastaven &amp;vjevu...</translation> </message> <message> <source>&amp;Camera Settings...</source> <translation>Nastaven &amp;kamery...</translation> </message> <message> <source>&amp;Open Sub-xsheet</source> <translation type="vanished">&amp;Otevt podzbr</translation> </message> <message> <source>&amp;Close Sub-xsheet</source> <translation type="vanished">&amp;Zavt podzbr</translation> </message> <message> <source>Explode Sub-xsheet</source> <translation type="vanished">Rozbalit podzbr</translation> </message> <message> <source>Collapse</source> <translation>Sbalit</translation> </message> <message> <source>&amp;Save Sub-xsheet As...</source> <translation type="vanished">&amp;Uloit podzbr jako...</translation> </message> <message> <source>Resequence</source> <translation>Zmnit poad snmk podzbru</translation> </message> <message> <source>Clone Sub-xsheet</source> <translation type="vanished">Klonovat podzbr</translation> </message> <message> <source>&amp;Apply Match Lines...</source> <translation>&amp;Pout dlic ry...</translation> </message> <message> <source>&amp;Delete Match Lines</source> <translation>&amp;Smazat dlic ry</translation> </message> <message> <source>&amp;Delete Lines...</source> <translation>&amp;Smazat ry...</translation> </message> <message> <source>&amp;Merge Levels</source> <translation>&amp;Slouit rovn</translation> </message> <message> <source>&amp;New FX...</source> <translation>&amp;Nov efekt...</translation> </message> <message> <source>&amp;New Output</source> <translation>&amp;Nov vstup</translation> </message> <message> <source>&amp;Edit FX...</source> <translation type="vanished">&amp;Upravit efekt...</translation> </message> <message> <source>Insert Frame</source> <translation>Vloit snmek</translation> </message> <message> <source>Remove Frame</source> <translation>Odstranit snmek</translation> </message> <message> <source>Insert Multiple Keys</source> <translation>Vloit vce kl</translation> </message> <message> <source>Remove Multiple Keys</source> <translation>Odstranit vce kl</translation> </message> <message> <source>&amp;Reverse</source> <translation>&amp;Obrtit</translation> </message> <message> <source>&amp;Swing</source> <translation>&amp;Swing</translation> </message> <message> <source>&amp;Random</source> <translation>&amp;Nhodn</translation> </message> <message> <source>&amp;Autoexpose</source> <translation>Ukzat &amp;automaticky</translation> </message> <message> <source>&amp;Repeat...</source> <translation>&amp;Opakovat...</translation> </message> <message> <source>&amp;Step 2</source> <translation>&amp;Krok 2</translation> </message> <message> <source>&amp;Step 3</source> <translation>&amp;Krok 3</translation> </message> <message> <source>&amp;Step 4</source> <translation>&amp;Krok 4</translation> </message> <message> <source>&amp;Each 2</source> <translation>K&amp;ad 2.</translation> </message> <message> <source>&amp;Each 3</source> <translation>K&amp;ad 3.</translation> </message> <message> <source>&amp;Each 4</source> <translation>K&amp;ad 4.</translation> </message> <message> <source>&amp;Roll Up</source> <translation>&amp;Vyhrnout</translation> </message> <message> <source>&amp;Roll Down</source> <translation>&amp;Shrnout</translation> </message> <message> <source>&amp;Time Stretch...</source> <translation>&amp;Prothnut asu...</translation> </message> <message> <source>&amp;Duplicate Drawing </source> <translation>&amp;Zdvojit kresbu </translation> </message> <message> <source>&amp;Clone</source> <translation type="vanished">&amp;Klonovat</translation> </message> <message> <source>Drawing Substitution Forward</source> <translation>Nahradit kresbu pro nsledujc</translation> </message> <message> <source>Drawing Substitution Backward</source> <translation>Nahradit kresbu pro pedchzejc</translation> </message> <message> <source>Similar Drawing Substitution Forward</source> <translation>Nahradit sousedn kresby pro nsledujc</translation> </message> <message> <source>Similar Drawing Substitution Backward</source> <translation>Nahradit sousedn kresby pro pedchzejc</translation> </message> <message> <source>&amp;Set Key</source> <translation>&amp;Nastavit kl</translation> </message> <message> <source>&amp;Camera Box</source> <translation>Rmeek &amp;kamery</translation> </message> <message> <source>&amp;Table</source> <translation>&amp;Tabulka</translation> </message> <message> <source>&amp;Field Guide</source> <translation>&amp;Praktick vod</translation> </message> <message> <source>&amp;Safe Area</source> <translation>&amp;Bezpen oblast</translation> </message> <message> <source>&amp;Camera BG Color</source> <translation>Barva pozad &amp;kamery</translation> </message> <message> <source>&amp;Transparency Check </source> <translation>Oven &amp;prhlednosti</translation> </message> <message> <source>&amp;Ink Check</source> <translation>Oven &amp;inkoustu</translation> </message> <message> <source>&amp;Paint Check</source> <translation>Oven &amp;barvy</translation> </message> <message> <source>&amp;Fill Check</source> <translation>Oven &amp;vpln</translation> </message> <message> <source>&amp;Black BG Check</source> <translation>Oven &amp;ernho pozad</translation> </message> <message> <source>&amp;Gap Check</source> <translation>Oven &amp;mezery</translation> </message> <message> <source>&amp;Visualize Vector As Raster</source> <translation>&amp;Znzornit vektorov obrzek jako rastr</translation> </message> <message> <source>&amp;Histogram</source> <translation>&amp;Histogram</translation> </message> <message> <source>Play</source> <translation>Pehrt</translation> </message> <message> <source>Loop</source> <translation>Smyka</translation> </message> <message> <source>Pause</source> <translation>Pozastavit</translation> </message> <message> <source>First Frame</source> <translation>Prvn snmek</translation> </message> <message> <source>Last Frame</source> <translation>Posledn snmek</translation> </message> <message> <source>Previous Frame</source> <translation>Pedchoz snmek</translation> </message> <message> <source>Next Frame</source> <translation>Dal snmek</translation> </message> <message> <source>Red Channel</source> <translation>erven kanl</translation> </message> <message> <source>Green Channel</source> <translation>Zelen kanl</translation> </message> <message> <source>Blue Channel</source> <translation>Modr kanl</translation> </message> <message> <source>Matte Channel</source> <translation type="vanished">Alfa</translation> </message> <message> <source>Red Channel Greyscale</source> <translation>erven kanl (odstny edi)</translation> </message> <message> <source>Green Channel Greyscale</source> <translation>Zelen kanl (odstny edi)</translation> </message> <message> <source>Blue Channel Greyscale</source> <translation>Modr kanl (odstny edi)</translation> </message> <message> <source>&amp;Lock Room Panes</source> <translation>&amp;Uzamknout pracovn plochu</translation> </message> <message> <source>&amp;File Browser</source> <translation>Prohle &amp;soubor</translation> </message> <message> <source>&amp;FlipboOk</source> <translation type="vanished">&amp;Flipbook</translation> </message> <message> <source>&amp;Function Editor</source> <translation>Editor &amp;funkce</translation> </message> <message> <source>&amp;Level Strip</source> <translation>Prouek &amp;rovn</translation> </message> <message> <source>&amp;Palette</source> <translation>&amp;Paleta</translation> </message> <message> <source>&amp;Palette Gizmo</source> <translation>Upravit &amp;paletu</translation> </message> <message> <source>&amp;Delete Unused Styles</source> <translation>&amp;Smazat nepouvan styly</translation> </message> <message> <source>&amp;Tasks</source> <translation>&amp;koly</translation> </message> <message> <source>&amp;Batch Servers</source> <translation>&amp;Dvkov servery</translation> </message> <message> <source>&amp;Color Model</source> <translation>&amp;Barevn model</translation> </message> <message> <source>&amp;Studio Palette</source> <translation>Paleta &amp;studia</translation> </message> <message> <source>&amp;Schematic</source> <translation>&amp;Nrtek</translation> </message> <message> <source>Toggle FX/Stage schematic</source> <translation>Pepnout efekt/nrtek vjevu</translation> </message> <message> <source>&amp;Scene Cast</source> <translation>Obsazen &amp;vjevu</translation> </message> <message> <source>&amp;Style Editor</source> <translation>Editor &amp;stylu</translation> </message> <message> <source>&amp;Toolbar</source> <translation>&amp;Nstrojov pruh</translation> </message> <message> <source>&amp;Tool Option Bar</source> <translation>Volby pro &amp;nstroj</translation> </message> <message> <source>&amp;Viewer</source> <translation>&amp;Prohleka</translation> </message> <message> <source>&amp;LineTest Capture</source> <translation type="vanished">&amp;rov zkouka Zachycen</translation> </message> <message> <source>&amp;LineTest Viewer</source> <translation type="vanished">Prohle &amp;rov zkouky</translation> </message> <message> <source>&amp;Xsheet</source> <translation>&amp;Zbr</translation> </message> <message> <source>&amp;Reset to Default Rooms</source> <translation>&amp;Obnovit vchoz pracovn plochy</translation> </message> <message> <source>Onion Skin</source> <translation type="vanished">Cibulov slupka</translation> </message> <message> <source>Duplicate</source> <translation>Zdvojit</translation> </message> <message> <source>Show Folder Contents</source> <translation>Ukzat obsah sloky</translation> </message> <message> <source>Convert...</source> <translation>Pevst soubor...</translation> </message> <message> <source>Collect Assets</source> <translation>Sebrat prvky zbru</translation> </message> <message> <source>Import Scene</source> <translation>Zavst vjev z jinho projektu</translation> </message> <message> <source>Export Scene...</source> <translation>Vyvst vjev...</translation> </message> <message> <source>Premultiply</source> <translation type="vanished">Pednsobit [ern-pozad]</translation> </message> <message> <source>Convert to Vectors...</source> <translation>Pevst na vektory...</translation> </message> <message> <source>Tracking...</source> <translation>Nakreslit...</translation> </message> <message> <source>Remove Level</source> <translation>Odstranit rove</translation> </message> <message> <source>Add As Render Task</source> <translation>Pidat jako lohu zpracovn</translation> </message> <message> <source>Add As Cleanup Task</source> <translation>Pidat jako lohu vyitn</translation> </message> <message> <source>Select All Keys in this Frame</source> <translation>Vybrat vechny kle v tomto snmku</translation> </message> <message> <source>Select All Keys in this Column</source> <translation>Vybrat vechny kle v tomto sloupci</translation> </message> <message> <source>Select All Keys</source> <translation>Vybrat vechny kle</translation> </message> <message> <source>Select All Following Keys</source> <translation>Vybrat vechny nsledujc kle</translation> </message> <message> <source>Select All Previous Keys</source> <translation>Vybrat vechny pedchoz kle</translation> </message> <message> <source>Select Previous Keys in this Column</source> <translation>Vybrat pedchoz kle v tomto sloupci</translation> </message> <message> <source>Select Following Keys in this Column</source> <translation>Vybrat nsledujc kle v tomto sloupci</translation> </message> <message> <source>Select Previous Keys in this Frame</source> <translation>Vybrat pedchoz kle v tomto snmku</translation> </message> <message> <source>Select Following Keys in this Frame</source> <translation>Vybrat nsledujc kle v tomto snmku</translation> </message> <message> <source>Invert Key Selection</source> <translation>Obrtit vbr kle</translation> </message> <message> <source>Set Acceleration</source> <translation>Nastavit zrychlen</translation> </message> <message> <source>Set Deceleration</source> <translation>Nastavit zpomalen</translation> </message> <message> <source>Set Constant Speed</source> <translation>Nastavit stlou rychlost</translation> </message> <message> <source>Reset Interpolation</source> <translation>Obnovit vchoz interpolaci</translation> </message> <message> <source>Fold Column</source> <translation>Schovat sloupec</translation> </message> <message> <source>Activate this column only</source> <translation type="vanished">Zapnout jen tento sloupec</translation> </message> <message> <source>Activate selected columns</source> <translation type="vanished">Zapnout vybran sloupce</translation> </message> <message> <source>Activate all columns</source> <translation type="vanished">Zapnout vechny sloupce</translation> </message> <message> <source>Deactivate selected columns</source> <translation type="vanished">Vypnout vybran sloupce</translation> </message> <message> <source>Deactivate all columns</source> <translation type="vanished">Vypnout vechny sloupce</translation> </message> <message> <source>Toggle columns activation</source> <translation type="vanished">Zapnout pohled na sloupce</translation> </message> <message> <source>Enable this column only</source> <translation type="vanished">Zapnout jen tento sloupec</translation> </message> <message> <source>Enable selected columns</source> <translation type="vanished">Povolit vybran sloupce</translation> </message> <message> <source>Enable all columns</source> <translation type="vanished">Povolit vechny sloupce</translation> </message> <message> <source>Disable all columns</source> <translation type="vanished">Zakzat vechny sloupce</translation> </message> <message> <source>Disable selected columns</source> <translation type="vanished">Zakzat vybran sloupce</translation> </message> <message> <source>Swap enabled columns</source> <translation type="vanished">Vymnit povolen sloupce</translation> </message> <message> <source>Lock this column only</source> <translation type="vanished">Uzamknout jen tento sloupec</translation> </message> <message> <source>Lock selected columns</source> <translation type="vanished">Uzamknout vybran sloupce</translation> </message> <message> <source>Lock all columns</source> <translation type="vanished">Uzamknout vechny sloupce</translation> </message> <message> <source>Unlock selected columns</source> <translation type="vanished">Odemknout vybran sloupce</translation> </message> <message> <source>Unlock all columns</source> <translation type="vanished">Odemknout vechny sloupce</translation> </message> <message> <source>Swap locked columns</source> <translation type="vanished">Vymnit uzamknut sloupce</translation> </message> <message> <source>Edit Tool</source> <translation type="vanished">Nstroj na pravy</translation> </message> <message> <source>Selection Tool</source> <translation>Nstroj pro vbr</translation> </message> <message> <source>Brush Tool</source> <translation>Nstroj ttec</translation> </message> <message> <source>Geometric Tool</source> <translation>Geometrick nstroj</translation> </message> <message> <source>Type Tool</source> <translation>Nstroj pro psan</translation> </message> <message> <source>Fill Tool</source> <translation>Nstroj pro vpl</translation> </message> <message> <source>Fill Tool - Areas</source> <translation>Nstroj pro vpl - Oblasti</translation> </message> <message> <source>Fill Tool - Lines</source> <translation>Nstroj pro vpl - ry</translation> </message> <message> <source>Paint Brush Tool</source> <translation>Nstroj pro malovn ttcem</translation> </message> <message> <source>Eraser Tool</source> <translation>Nstroj guma</translation> </message> <message> <source>Tape Tool</source> <translation>Nstroj na spojovn</translation> </message> <message> <source>Style Picker Tool</source> <translation>Nstroj pro vbr stylu</translation> </message> <message> <source>Style Picker Tool - Areas</source> <translation>Nstroj pro vbr stylu - oblasti</translation> </message> <message> <source>Style Picker Tool - Lines</source> <translation>Nstroj pro vbr stylu - ry</translation> </message> <message> <source>RGB Picker Tool</source> <translation>Nstroj pro vbr RGB</translation> </message> <message> <source>Control Point Editor Tool</source> <translation>Nstroj pro upraven ovldacho bodu</translation> </message> <message> <source>Pinch Tool</source> <translation>Nstroj na pokiven</translation> </message> <message> <source>Pump Tool</source> <translation>Nstroj na nafouknut</translation> </message> <message> <source>Magnet Tool</source> <translation>Nstroj magnet</translation> </message> <message> <source>Bender Tool</source> <translation>Nstroj na tven</translation> </message> <message> <source>Iron Tool</source> <translation>Nstroj na ehlen</translation> </message> <message> <source>Cutter Tool</source> <translation>Nstroj na ezn</translation> </message> <message> <source>Skeleton Tool</source> <translation>Nstroj kostra</translation> </message> <message> <source>Tracker Tool</source> <translation>Nstroj na stopovn</translation> </message> <message> <source>HoOk Tool</source> <translation type="vanished">Haken-Tool</translation> </message> <message> <source>Zoom Tool</source> <translation>Nstroj pro zvten</translation> </message> <message> <source>Rotate Tool</source> <translation>Nstroj pro otoen</translation> </message> <message> <source>Hand Tool</source> <translation>Nstroj ruka</translation> </message> <message> <source>Zoom In</source> <translation>Piblit</translation> </message> <message> <source>Zoom Out</source> <translation>Oddlit</translation> </message> <message> <source>Reset View</source> <translation>Obnovit vchoz zvten</translation> </message> <message> <source>Fit to Window</source> <translation>Pizpsobit oknu</translation> </message> <message> <source>Actual Pixel Size</source> <translation>Skuten velikost obrazovho bodu</translation> </message> <message> <source>Show//Hide Full Screen</source> <translation>Ukzat/Skrt celou obrazovku</translation> </message> <message> <source>Full Screen Mode</source> <translation>Reim cel obrazovky</translation> </message> <message> <source>Exit Full Screen Mode</source> <translation>Ukonit reim cel obrazovky</translation> </message> <message> <source>Global Key</source> <translation>Celkov klvesy</translation> </message> <message> <source>Increase brush hardness</source> <translation type="vanished">Zvtit tvrdost ttce</translation> </message> <message> <source>Decrease brush hardness</source> <translation type="vanished">Zmenit tvrdost ttce</translation> </message> <message> <source>Auto Group</source> <translation>Automatick seskupen</translation> </message> <message> <source>Break sharp angles</source> <translation>Rozdlit ostr hly</translation> </message> <message> <source>Frame range</source> <translation>Rozsah snmku</translation> </message> <message> <source>Inverse Kinematics</source> <translation>Obrcen kinematika</translation> </message> <message> <source>Invert</source> <translation>Obrtit</translation> </message> <message> <source>Manual</source> <translation>Run</translation> </message> <message> <source>Onion skin</source> <translation>Cibulov slupka</translation> </message> <message> <source>Orientation</source> <translation>Natoen</translation> </message> <message> <source>Pencil Mode</source> <translation>Reim tuky</translation> </message> <message> <source>Preserve Thickness</source> <translation>Zachovat tlouku</translation> </message> <message> <source>Pressure sensibility</source> <translation type="vanished">Tlakov citlivost</translation> </message> <message> <source>Segment Ink</source> <translation>Inkoust dlen na sti</translation> </message> <message> <source>Selective</source> <translation>Zskat barvu</translation> </message> <message> <source>Smooth</source> <translation>Vyhladit</translation> </message> <message> <source>Snap</source> <translation>Pichytit</translation> </message> <message> <source>Auto Select Drawing</source> <translation>Automatick vbr kreslen</translation> </message> <message> <source>Auto Fill</source> <translation>Automatick vyplnn</translation> </message> <message> <source>Join Vectors</source> <translation>Spojit vektory</translation> </message> <message> <source>Show Only Active Skeleton</source> <translation>Ukzat jen innou kostru</translation> </message> <message> <source>Brush Preset</source> <translation>Pednastaven pro ttec</translation> </message> <message> <source>Geometric Shape</source> <translation>Geometrick tvar</translation> </message> <message> <source>Geometric Edge</source> <translation>Geometrick okraj</translation> </message> <message> <source>Mode</source> <translation>Reim</translation> </message> <message> <source>Areas Mode</source> <translation type="vanished">Reim oblasti</translation> </message> <message> <source>Lines Mode</source> <translation type="vanished">Reim ry</translation> </message> <message> <source>Lines &amp; Areas Mode</source> <translation type="vanished">Reim ry a oblasti</translation> </message> <message> <source>Type</source> <translation>Typ</translation> </message> <message> <source>Normal Type</source> <translation type="vanished">Standardn</translation> </message> <message> <source>Rectangular Type</source> <translation type="vanished">Pravohl</translation> </message> <message> <source>Freehand Type</source> <translation type="vanished">Kreslen od ruky</translation> </message> <message> <source>Polyline Type</source> <translation type="vanished">Lomen ra</translation> </message> <message> <source>TypeTool Font</source> <translation>Psmo pro nstroj na psan</translation> </message> <message> <source>TypeTool Size</source> <translation>Velikost pro nstroj na psan</translation> </message> <message> <source>TypeTool Style</source> <translation>Styl pro nstroj na psan</translation> </message> <message> <source>Active Axis</source> <translation>inn osa</translation> </message> <message> <source>Active Axis - Position</source> <translation>inn osa - Poloha</translation> </message> <message> <source>Active Axis - Rotation</source> <translation>inn osa - Otoen</translation> </message> <message> <source>Active Axis - Scale</source> <translation>inn osa - Mtko</translation> </message> <message> <source>Active Axis - Shear</source> <translation>inn osa - Sthn</translation> </message> <message> <source>Active Axis - Center</source> <translation>inn osa - Sted</translation> </message> <message> <source>Build Skeleton Mode</source> <translation>Reim vytvoen kostry</translation> </message> <message> <source>Animate Mode</source> <translation>Reim animace</translation> </message> <message> <source>Inverse Kinematics Mode</source> <translation>Reim obrcen kinematika</translation> </message> <message> <source>None Pick Mode</source> <translation>Reim dn vbr</translation> </message> <message> <source>Column Pick Mode</source> <translation>Reim sloupec</translation> </message> <message> <source>Pegbar Pick Mode</source> <translation>Reim upevovac kolk</translation> </message> <message> <source>&amp;Reset Step</source> <translation>&amp;Vrtit krok</translation> </message> <message> <source>&amp;Increase Step</source> <translation>&amp;Zvtit krok</translation> </message> <message> <source>&amp;Decrease Step</source> <translation>Z&amp;menit krok</translation> </message> <message> <source>Drawing</source> <translation type="vanished">Kreslen</translation> </message> <message> <source>Animation</source> <translation type="vanished">Animace</translation> </message> <message> <source>Browser</source> <translation type="vanished">Prohle</translation> </message> <message> <source>Pltedit</source> <translation type="vanished">Paleta</translation> </message> <message> <source>Farm</source> <translation type="vanished">Zpracovn</translation> </message> <message> <source>Reload qss</source> <translation>Nahrt znovu styl zbru (qss)</translation> </message> <message> <source>&amp;Autocenter...</source> <translation>Automatick &amp;vystedn...</translation> </message> <message> <source>&amp;Field Guide in Capture Window</source> <translation type="vanished">&amp;Praktick vod v okn pro zachycen</translation> </message> <message> <source>&amp;Guide</source> <translation>P&amp;omocn ra</translation> </message> <message> <source>&amp;Ruler</source> <translation>P&amp;ravtko</translation> </message> <message> <source>Next Drawing</source> <translation>Dal obraz</translation> </message> <message> <source>Prev Drawing</source> <translation type="vanished">Pedchoz obraz</translation> </message> <message> <source>Toggle Autofill on Current Palette Color</source> <translation>Pepnout automatick vyplnn na nynj barvu v palet</translation> </message> <message> <source>&amp;Export</source> <translation type="vanished">&amp;Vyvst</translation> </message> <message> <source>&amp;Autorenumber</source> <translation>Automatick &amp;peslovn</translation> </message> <message> <source>Shift and Trace</source> <translation>Posunout a obkreslit</translation> </message> <message> <source>Edit Shift</source> <translation>Upravit polohu posunu</translation> </message> <message> <source>No Shift</source> <translation>dn posun</translation> </message> <message> <source>Reset Shift</source> <translation>Obnovit vchoz posun</translation> </message> <message> <source>Increase max brush thickness</source> <translation type="vanished">Zvtit nejvt tlouku ttce</translation> </message> <message> <source>Decrease max brush thickness</source> <translation type="vanished">Zmenit nejvt tlouku ttce</translation> </message> <message> <source>Increase min brush thickness</source> <translation type="vanished">Zvtit nejmen tlouku ttce</translation> </message> <message> <source>Decrease min brush thickness</source> <translation type="vanished">Zmenit nejmen tlouku ttce</translation> </message> <message> <source>&amp;Binarize...</source> <translation>Pevst na &amp;binrn...</translation> </message> <message> <source>Pick Screen</source> <translation>Zvolit obrazovku</translation> </message> <message> <source>&amp;Blend colors</source> <translation>&amp;Mchn barev</translation> </message> <message> <source>Linetest</source> <translation type="vanished">rov zkouka</translation> </message> <message> <source>&amp;Load As Sub-xsheet...</source> <translation>&amp;Nahrt zbr jako podzbr...</translation> </message> <message> <source>&amp;Convert File...</source> <translation>&amp;Pevst soubor...</translation> </message> <message> <source>Run Script...</source> <translation>Spustit skript...</translation> </message> <message> <source>Open Script Console...</source> <translation>Otevt skriptovac konzoli...</translation> </message> <message> <source>&amp;Antialias...</source> <translation>&amp;Vyhlazovn okraj...</translation> </message> <message> <source>Adjust Levels...</source> <translation>Pizpsobit rovn...</translation> </message> <message> <source>&amp;Raster Bounding Box</source> <translation>&amp;Rm obrzku</translation> </message> <message> <source>Link FlipboOks</source> <translation type="vanished">Propojit FlipboOk</translation> </message> <message> <source>&amp;Message Center</source> <translation>Stedisko &amp;zprv</translation> </message> <message> <source>&amp;Cleanup Settings</source> <translation>Nastaven &amp;vyitn</translation> </message> <message> <source>Plastic Tool</source> <translation>Plastick nstroj</translation> </message> <message> <source>Create Mesh</source> <translation>Vytvoit s</translation> </message> <message> <source>&amp;Merge Tlv Levels...</source> <translation>&amp;Slouit rovn TLV...</translation> </message> <message> <source>Adjust Thickness...</source> <translation>Pizpsobit tlouku...</translation> </message> <message> <source>Toggle &amp;Opacity Check</source> <translation type="vanished">Pepnout oven &amp;neprhlednosti</translation> </message> <message> <source>&amp;Load Folder...</source> <translation>&amp;Nahrt sloku...</translation> </message> <message> <source>Inks &amp;Only</source> <translation>Pohled &amp;jen na ry</translation> </message> <message> <source>Next Step</source> <translation>O jeden krok vped</translation> </message> <message> <source>Prev Step</source> <translation type="vanished">O jeden krok zpt</translation> </message> <message> <source>Untitled</source> <translation>Bez nzvu</translation> </message> <message> <source>Cleanup</source> <translation>Udlat podek</translation> </message> <message> <source>PltEdit</source> <translation>Upravit paletu</translation> </message> <message> <source>InknPaint</source> <translation>Obarven</translation> </message> <message> <source>Xsheet</source> <translation>Nahrvn/Zbr</translation> </message> <message> <source>&amp;Load Recent Image Files</source> <translation>&amp;Nahrt pedchoz obrzek</translation> </message> <message> <source>&amp;Clear Recent FlipboOk Image List</source> <translation type="vanished">&amp;Vyprzdnit pedchoz seznam obrzk FlipboOk</translation> </message> <message> <source>Preview Fx</source> <translation>Nhled efektu</translation> </message> <message> <source>&amp;Insert Paste</source> <translation type="vanished">Pidat/&amp;Vloit</translation> </message> <message> <source>&amp;Paste Color &amp;&amp; Name</source> <translation>&amp;Vloit barvu a nzev</translation> </message> <message> <source>Paste Color</source> <translation>Vloit barvu</translation> </message> <message> <source>Paste Name</source> <translation>Vloit nzev</translation> </message> <message> <source>Get Color from Studio Palette</source> <translation>Zskat barvu ze studiov palety</translation> </message> <message> <source>&amp;Opacity Check</source> <translation>Oven &amp;neprhlednosti</translation> </message> <message> <source>&amp;Replace Parent Directory...</source> <translation>&amp;Nahradit cestu k rodiovskmu adresi...</translation> </message> <message> <source>1&apos;s</source> <translation type="vanished">1. snmek</translation> </message> <message> <source>2&apos;s</source> <translation type="vanished">2. snmek</translation> </message> <message> <source>3&apos;s</source> <translation type="vanished">3. snmek</translation> </message> <message> <source>4&apos;s</source> <translation type="vanished">4. snmek</translation> </message> <message> <source>&amp;Ink#1 Check</source> <translation>Oven &amp;inkoustu#1</translation> </message> <message> <source>Compare to Snapshot</source> <translation>Porovnat se zbrem</translation> </message> <message> <source>Show This Only</source> <translation>Ukzat jen toto</translation> </message> <message> <source>Show Selected</source> <translation>Ukzat vybran</translation> </message> <message> <source>Show All</source> <translation>Ukzat ve</translation> </message> <message> <source>Hide Selected</source> <translation>Skrt vybran</translation> </message> <message> <source>Hide All</source> <translation>Skrt ve</translation> </message> <message> <source>Toggle Show/Hide</source> <translation>Pepnout pohled</translation> </message> <message> <source>ON This Only</source> <translation>Jen toto je zapnuto</translation> </message> <message> <source>ON Selected</source> <translation>Vbr je zapnut</translation> </message> <message> <source>ON All</source> <translation>Ve je zapnuto</translation> </message> <message> <source>OFF All</source> <translation>Ve je vypnuto</translation> </message> <message> <source>OFF Selected</source> <translation>Vbr je vypnut</translation> </message> <message> <source>Swap ON/OFF</source> <translation>Pepnout zapnuto/vypnuto</translation> </message> <message> <source>Lock This Only</source> <translation>Uzamknout jen toto</translation> </message> <message> <source>Lock Selected</source> <translation>Uzamknout vybran</translation> </message> <message> <source>Lock All</source> <translation>Uzamknout ve</translation> </message> <message> <source>Unlock Selected</source> <translation>Odemknout vybran</translation> </message> <message> <source>Unlock All</source> <translation>Odemknout ve</translation> </message> <message> <source>Swap Lock/Unlock</source> <translation>Pepnout zmek</translation> </message> <message> <source>Hide Upper Columns</source> <translation>Skrt horn sloupce</translation> </message> <message> <source>Ruler Tool</source> <translation>Nstroj pravtko</translation> </message> <message> <source>Finger Tool</source> <translation>Nstroj prst</translation> </message> <message> <source>Brush size - Increase max</source> <translation>Velikost ttce - zvtit maximum</translation> </message> <message> <source>Brush size - Decrease max</source> <translation>Velikost ttce - zmenit maximum</translation> </message> <message> <source>Brush size - Increase min</source> <translation>Velikost ttce - zvtit minimum</translation> </message> <message> <source>Brush size - Decrease min</source> <translation>Velikost ttce - zmenit minimum</translation> </message> <message> <source>Brush hardness - Increase</source> <translation>Tvrdost ttce - zvtit</translation> </message> <message> <source>Brush hardness - Decrease</source> <translation>Tvrdost ttce - zmenit</translation> </message> <message> <source>Mode - Areas</source> <translation>Reim - oblasti</translation> </message> <message> <source>Mode - Lines</source> <translation>Reim - ry</translation> </message> <message> <source>Mode - Lines &amp; Areas</source> <translation type="vanished">Reim - ry a oblasti</translation> </message> <message> <source>Type - Normal</source> <translation>Typ - standardn</translation> </message> <message> <source>Type - Rectangular</source> <translation>Typ -pravohl</translation> </message> <message> <source>Type - Freehand</source> <translation>Typ - kreslen od ruky</translation> </message> <message> <source>Type - Polyline</source> <translation>Typ - lomen ra</translation> </message> <message> <source>About OpenToonz</source> <translation>O programu OpenToonz</translation> </message> <message> <source>Close</source> <translation>Zavt</translation> </message> <message> <source>&amp;Abount OpenToonz...</source> <translation type="vanished">&amp;O programu OpenToonz...</translation> </message> <message> <source>&amp;ComboViewer</source> <translation>&amp;Prohleka</translation> </message> <message> <source>&amp;History</source> <translation>&amp;Prbh</translation> </message> <message> <source>&amp;Save All</source> <translation>&amp;Uloit ve</translation> </message> <message> <source>&amp;Clear Recent Flipbook Image List</source> <translation>&amp;Vyprzdnit pedchoz seznam obrzk FlipboOk</translation> </message> <message> <source>Toggle Edit in Place</source> <translation type="vanished">Pepnout pravy v mst</translation> </message> <message> <source>Link Flipbooks</source> <translation>Propojit FlipboOk</translation> </message> <message> <source>&amp;Flipbook</source> <translation>&amp;FlipboOk</translation> </message> <message> <source>&amp;About OpenToonz...</source> <translation>&amp;O programu OpenToonz...</translation> </message> <message> <source>Hook Tool</source> <translation>Nstroj hek</translation> </message> <message> <source>&amp;Save All Levels</source> <translation>&amp;Uloit vechny rovn</translation> </message> <message> <source>&amp;Camera Capture...</source> <translation>Zachytvn &amp;kamery...</translation> </message> <message> <source>Toggle Maximize Panel</source> <translation>Pepnout zvten panelu</translation> </message> <message> <source>Toggle Main Window&apos;s Full Screen Mode</source> <translation>Pepnout reim na celou obrazovku hlavnho okna</translation> </message> <message> <source>Onion Skin Toggle</source> <translation>Pepnout cibulov vzhled</translation> </message> <message> <source>Zero Thick Lines</source> <translation>ry o nulov tlouce</translation> </message> <message> <source>Refresh Folder Tree</source> <translation>Obnovit obsah sloky</translation> </message> <message> <source>Pressure Sensitivity</source> <translation>Citlivost tlaku</translation> </message> <message> <source>Toggle Link to Studio Palette</source> <translation>Pepnout odkaz na studiovou paletu</translation> </message> <message> <source>Remove Reference to Studio Palette</source> <translation>Odstranit odkaz na studiovou paletu</translation> </message> <message> <source>&amp;Startup Popup...</source> <translation>&amp;Zaten dialog...</translation> </message> <message> <source>&amp;New Vector Level</source> <translation>&amp;Nov vektorov rove</translation> </message> <message> <source>New Vector Level</source> <translation type="vanished">Nov vektorov rove</translation> </message> <message> <source>&amp;New Toonz Raster Level</source> <translation>&amp;Nov rastrov rove Toonz</translation> </message> <message> <source>New Toonz Raster Level</source> <translation type="vanished">Nov rastrov rove Toonz</translation> </message> <message> <source>&amp;New Raster Level</source> <translation>&amp;Nov rastrov rove</translation> </message> <message> <source>New Raster Level</source> <translation type="vanished">Nov rastrov rove</translation> </message> <message> <source>&amp;Fast Render to MP4</source> <translation>&amp;Rychl zpracovn do MP4</translation> </message> <message> <source>&amp;Reload</source> <translation>Na&amp;hrt znovu</translation> </message> <message> <source>&amp;Toggle Edit In Place</source> <translation>&amp;Pepnout pravy v mst</translation> </message> <message> <source>New Note Level</source> <translation>Nov poznmkov rove</translation> </message> <message> <source>&amp;Apply Lip Sync Data to Column</source> <translation>&amp;Pout data synchronizace okraje na sloupec</translation> </message> <message> <source>Toggle XSheet Toolbar</source> <translation>Pepnout nstrojov pruh zbru</translation> </message> <message> <source>Reframe with Empty Inbetweens...</source> <translation>Pesnmkovat s przdnmi mezilehlmi snmky...</translation> </message> <message> <source>Auto Input Cell Number...</source> <translation>Automaticky vloit slo buky...</translation> </message> <message> <source>&amp;Paste Numbers</source> <translation>&amp;Vloit sla</translation> </message> <message> <source>Alpha Channel</source> <translation>Alfa kanl</translation> </message> <message> <source>&amp;Command Bar</source> <translation>&amp;Pkazov pruh</translation> </message> <message> <source>Record Audio</source> <translation>Nahrt zvuk</translation> </message> <message> <source>Toggle Current Time Indicator</source> <translation>Pepnout ukazatel nynjho asu</translation> </message> <message> <source>Vectors to Toonz Raster</source> <translation>Vektory na rastr Toonz</translation> </message> <message> <source>Replace Vectors with Simplified Vectors</source> <translation>Nahradit vektory zjednoduenmi vektory</translation> </message> <message> <source>Flip Viewer Vertically</source> <translation>Pevrtit prohle svisle</translation> </message> <message> <source>Refresh</source> <translation>Obnovit</translation> </message> <message> <source>Snap Sensitivity</source> <translation>Citlivost pichytvn</translation> </message> <message> <source>Fill Tool - Autopaint Lines</source> <translation>Nstroj pro vpl - Automatick malovn ar</translation> </message> <message> <source>&amp;Export Soundtrack</source> <translation>&amp;Vyvst zvukov doprovod</translation> </message> <message> <source>&amp;Touch Gesture Control</source> <translation>Ovldn &amp;dotykovmi gesty</translation> </message> <message> <source>Remove Empty Columns</source> <translation>Odstranit przdn sloupce</translation> </message> <message> <source>Animate Tool</source> <translation>Nstroj animace</translation> </message> <message> <source>&amp;Paste Insert</source> <translation>&amp;Vloit/Pidat</translation> </message> <message> <source>&amp;Paste Insert Above/After</source> <translation>&amp;Vloit/Pidat nad/po</translation> </message> <message> <source>&amp;Insert Above/After</source> <translation>&amp;Pidat nad/po</translation> </message> <message> <source>&amp;Fill In Empty Cells</source> <translation>&amp;Vyplnit przdn buky</translation> </message> <message> <source>Toggle Cursor Size Outline</source> <translation>Pepnout obrys velikosti ukazatele</translation> </message> <message> <source>Brush Tool - Draw Order</source> <translation>Nstroj ttec - poad kreslen</translation> </message> <message> <source>Active Axis - All</source> <translation>inn osa - Ve</translation> </message> <message> <source>&amp;Timeline</source> <translation>&amp;asov osa</translation> </message> <message> <source>Linear Interpolation</source> <translation>Linern interpolace</translation> </message> <message> <source>Speed In / Speed Out Interpolation</source> <translation>Interpolace zrychlen na zatku/na konci</translation> </message> <message> <source>Ease In / Ease Out Interpolation</source> <translation>Interpolace zpomalen na zatku/na konci</translation> </message> <message> <source>Ease In / Ease Out (%) Interpolation</source> <translation>Interpolace zpomalen na zatku/na konci (%)</translation> </message> <message> <source>Exponential Interpolation</source> <translation>Exponenciln interpolace</translation> </message> <message> <source>Expression Interpolation</source> <translation>Vrazov interpolace</translation> </message> <message> <source>File Interpolation</source> <translation>Souborov interpolace</translation> </message> <message> <source>Constant Interpolation</source> <translation>Stl interpolace</translation> </message> <message> <source>Separate Colors...</source> <translation>Samostatn barvy...</translation> </message> <message> <source>Flip Viewer Horizontally</source> <translation>Pevrtit prohle vodorovn</translation> </message> <message> <source>&amp;Send to Back</source> <translation type="vanished">&amp;Poslat na pozad</translation> </message> <message> <source>Reset Zoom</source> <translation>Obnovit vchoz zvten</translation> </message> <message> <source>Reset Rotation</source> <translation>Obnovit vchoz otoen</translation> </message> <message> <source>Reset Position</source> <translation>Obnovit vchoz polohu</translation> </message> <message> <source>Brush Tool - Eraser (Raster option)</source> <translation>Nstroj ttec - guma (volba rastru)</translation> </message> <message> <source>Brush Tool - Lock Alpha</source> <translation>Nstroj ttec - zamknout alfu</translation> </message> <message> <source>path_to_url <translation>path_to_url </message> <message> <source>&amp;Import Toonz Lip Sync File...</source> <translation>&amp;Zavst soubor synchronizace okraje Toonz...</translation> </message> <message> <source>Export Exchange Digital Time Sheet (XDTS)</source> <translation>Vyvst archiv XDTS (Exchange Digital Time Sheet)</translation> </message> <message> <source>&amp;Clear Cache Folder</source> <translation>&amp;Vyprzdnit sloku s vyrovnvac pamt</translation> </message> <message> <source>Show/Hide Xsheet Camera Column</source> <translation>Ukzat/Skrt sloupec kamery podzbru</translation> </message> <message> <source>&amp;Create Blank Drawing</source> <translation>&amp;Vytvoit przdnou kresbu</translation> </message> <message> <source>&amp;Shift Keys Down</source> <translation>&amp;Posunout klov snmky dol</translation> </message> <message> <source>&amp;Shift Keys Up</source> <translation>&amp;Posunout klov snmky nahoru</translation> </message> <message> <source>Next Key</source> <translation>Dal klov snmek</translation> </message> <message> <source>Prev Key</source> <translation type="vanished">Pedchoz klov snmek</translation> </message> <message> <source>&amp;FX Editor</source> <translation>&amp;Editor efekt</translation> </message> <message> <source>&amp;Stop Motion Controls</source> <translation>&amp;Ovldn pooknkov (fzov) animace</translation> </message> <message> <source>&amp;Online Manual...</source> <translation>&amp;Internetov pruka...</translation> </message> <message> <source>Select Next Frame Guide Stroke</source> <translation>Vybrat tah pomocn ry v dalm snmku</translation> </message> <message> <source>Select Previous Frame Guide Stroke</source> <translation>Vybrat tah pomocn ry v pedchozm snmku</translation> </message> <message> <source>Select Prev &amp;&amp; Next Frame Guide Strokes</source> <translation>Vybrat tahy pomocnch ar v pedchozm &amp;a dalm snmku</translation> </message> <message> <source>Reset Guide Stroke Selections</source> <translation>Obnovit vchoz vbry vodicch tah</translation> </message> <message> <source>Tween Selected Guide Strokes</source> <translation>Mezilehl snmky mezi vybranmi vodicmi tahy</translation> </message> <message> <source>Tween Guide Strokes to Selected</source> <translation>Mezilehl snmky od vodicch tah a do vybranch</translation> </message> <message> <source>Select Guide Strokes &amp;&amp; Tween Mode</source> <translation>Vybrat vodic tahy &amp;a reim mezilehlch snmk</translation> </message> <message> <source>Capture Stop Motion Frame</source> <translation>Zachytit snmek pooknkov (fzov) animace</translation> </message> <message> <source>Raise Stop Motion Opacity</source> <translation>Zvtit neprhlednost pooknkov (fzov) animace</translation> </message> <message> <source>Lower Stop Motion Opacity</source> <translation>Zmenit neprhlednost pooknkov (fzov) animace</translation> </message> <message> <source>Toggle Stop Motion Live View</source> <translation>Pepnout iv pohled na pooknkovou (fzovou) animaci</translation> </message> <message> <source>Toggle Stop Motion Zoom</source> <translation>Pepnout zvten pooknkov (fzov) animace</translation> </message> <message> <source>Lower Stop Motion Level Subsampling</source> <translation>Zmenit podvzorkovn rovn pooknkov (fzov) animace</translation> </message> <message> <source>Raise Stop Motion Level Subsampling</source> <translation>Zvtit podvzorkovn rovn pooknkov (fzov) animace</translation> </message> <message> <source>Go to Stop Motion Insert Frame</source> <translation>Jt na snmek vloen pooknkov (fzov) animace</translation> </message> <message> <source>Clear Cache Folder</source> <translation>Vyprzdnit sloku s vyrovnvac pamt</translation> </message> <message> <source>There are no unused items in the cache folder.</source> <translation>Ve sloce s vyrovnvac pamt nejsou dn nevyuit poloky.</translation> </message> <message> <source>Deleting the following items: </source> <translation>Maou se nsledujc poloky: </translation> </message> <message> <source>&lt;DIR&gt; </source> <translation>&lt;ADRES&gt; </translation> </message> <message> <source> ... and %1 more items </source> <translation> ... a %1 dalch poloek </translation> </message> <message> <source> Are you sure? N.B. Make sure you are not running another process of OpenToonz, or you may delete necessary files for it.</source> <translation> Jste si jist? Poznmka: Ujistte se, e neb dal proces OpenToonz, protoe jinak mete smazat pro nj nezbytn soubory.</translation> </message> <message> <source>Can&apos;t delete %1 : </source> <translation>Nelze smazat %1 : </translation> </message> <message> <source>path_to_url <translation>path_to_url </message> <message> <source>path_to_url#!forum/opentoonz_en</source> <translation>path_to_url#!forum/opentoonz_en</translation> </message> <message> <source>To report a bug, click on the button below to open a web browser window for OpenToonz&apos;s Issues page on path_to_url Click on the &apos;New issue&apos; button and fill out the form.</source> <translation>Chcete-li nahlsit chybu, klepnutm na tlatko ne otevete okno internetovho prohlee pro strnku Problmy OpenToonz na path_to_url Klepnte na tlatko Nov problm (New issue) a vyplte formul.</translation> </message> <message> <source>Vector Guided Drawing</source> <translation>Vektorov kreslen s prvodcem</translation> </message> <message> <source>Short Play</source> <translation>Krtk hra</translation> </message> <message> <source>&amp;What&apos;s New...</source> <translation>&amp;Co je novho...</translation> </message> <message> <source>&amp;Community Forum...</source> <translation>&amp;Spolen frum...</translation> </message> <message> <source>&amp;Report a Bug...</source> <translation>&amp;Nahlsit chybu...</translation> </message> <message> <source>Guided Drawing Controls</source> <translation>Ovldn kreslen s prvodcem</translation> </message> <message> <source>Flip Next Guide Stroke Direction</source> <translation>Pevrtit dal smr vodicho tahu</translation> </message> <message> <source>Flip Previous Guide Stroke Direction</source> <translation>Pevrtit pedchoz smr vodicho tahu</translation> </message> <message> <source>Save All</source> <translation type="vanished">Uloit ve</translation> </message> <message> <source>&amp;Paste as a Copy</source> <translation>&amp;Vloit jako kopii</translation> </message> <message> <source>&amp;Move to Back</source> <translation>&amp;Pesunout do pozad</translation> </message> <message> <source>&amp;Move Back One</source> <translation>&amp;Pesunout o jedno zpt</translation> </message> <message> <source>&amp;Move Forward One</source> <translation>&amp;Pesunout o jedno vped</translation> </message> <message> <source>&amp;Move to Front</source> <translation>&amp;Pesunout do poped</translation> </message> <message> <source>&amp;Open Sub-Xsheet</source> <translation>&amp;Otevt podzbr</translation> </message> <message> <source>&amp;Close Sub-Xsheet</source> <translation>&amp;Zavt podzbr</translation> </message> <message> <source>Explode Sub-Xsheet</source> <translation>Rozbalit podzbr</translation> </message> <message> <source>&amp;Save Sub-Xsheet As...</source> <translation>&amp;Uloit podzbr jako...</translation> </message> <message> <source>Clone Sub-Xsheet</source> <translation>Klonovat podzbr</translation> </message> <message> <source>&amp;Clone Cells</source> <translation>&amp;Klonovat buky</translation> </message> <message> <source>Reframe on 1&apos;s</source> <translation>Pesnmkovat na 1&apos;s</translation> </message> <message> <source>Reframe on 2&apos;s</source> <translation>Pesnmkovat na 2&apos;s</translation> </message> <message> <source>Reframe on 3&apos;s</source> <translation>Pesnmkovat na 3&apos;s</translation> </message> <message> <source>Reframe on 4&apos;s</source> <translation>Pesnmkovat na 4&apos;s</translation> </message> <message> <source>Previous Drawing</source> <translation>Pedchoz obraz</translation> </message> <message> <source>Previous Step</source> <translation>Pedchoz krok</translation> </message> <message> <source>Previous Key</source> <translation>Pedchoz kl</translation> </message> <message> <source>About OpenToonz...</source> <translation type="vanished">O programu OpenToonz...</translation> </message> <message> <source>Online Manual...</source> <translation type="vanished">Internetov pruka...</translation> </message> <message> <source>What&apos;s New...</source> <translation type="vanished">Co je novho...</translation> </message> <message> <source>Community Forum...</source> <translation type="vanished">Spolen frum...</translation> </message> <message> <source>Report a Bug...</source> <translation type="vanished">Nahlsit chybu...</translation> </message> <message> <source>Geometric Shape Rectangle</source> <translation>Geometrick tvar: Obdlnk</translation> </message> <message> <source>Geometric Shape Circle</source> <translation>Geometrick tvar: Kruh</translation> </message> <message> <source>Geometric Shape Ellipse</source> <translation>Geometrick tvar: Elipsa</translation> </message> <message> <source>Geometric Shape Line</source> <translation>Geometrick tvar: ra</translation> </message> <message> <source>Geometric Shape Polyline</source> <translation>Geometrick tvar: Lomen ra</translation> </message> <message> <source>Geometric Shape Arc</source> <translation>Geometrick tvar: Oblouk</translation> </message> <message> <source>Geometric Shape MultiArc</source> <translation>Geometrick tvar: Lomen oblouk</translation> </message> <message> <source>Geometric Shape Polygon</source> <translation>Geometrick tvar: Mnohohelnk</translation> </message> <message> <source>Mode - Lines &amp;&amp; Areas</source> <translation>Reim ry a oblasti</translation> </message> <message> <source>Mode - Endpoint to Endpoint</source> <translation>Reim - Od koncovho bodu po koncov bod</translation> </message> <message> <source>Mode - Endpoint to Line</source> <translation>Reim - Od koncovho bodu po ru</translation> </message> <message> <source>Mode - Line to Line</source> <translation>Reim - Od ry po ru</translation> </message> <message> <source>Type - Segment</source> <translation>Typ - st</translation> </message> <message> <source>TypeTool Style - Oblique</source> <translation>Styl nstroje pro psan - ikm</translation> </message> <message> <source>TypeTool Style - Regular</source> <translation>Styl nstroje pro psan - Pravideln</translation> </message> <message> <source>TypeTool Style - Bold Oblique</source> <translation>Styl nstroje pro psan - Tun ikm</translation> </message> <message> <source>TypeTool Style - Bold</source> <translation>Styl nstroje pro psan - Tun</translation> </message> <message> <source>Skeleton Mode</source> <translation>Reim kostry</translation> </message> <message> <source>Edit Mesh Mode</source> <translation>Reim pravovn st</translation> </message> <message> <source>Paint Rigid Mode</source> <translation>Reim tvrdho malovn</translation> </message> <message> <source>Animate Tool - Next Mode</source> <translation>Animan nstroj - Dal reim</translation> </message> <message> <source>Animate Tool - Position</source> <translation>Animan nstroj - Poloha</translation> </message> <message> <source>Animate Tool - Rotation</source> <translation>Animan nstroj - Otoen</translation> </message> <message> <source>Animate Tool - Scale</source> <translation>Animan nstroj - Zmna velikosti</translation> </message> <message> <source>Animate Tool - Shear</source> <translation>Animan nstroj - Sthn</translation> </message> <message> <source>Animate Tool - Center</source> <translation>Animan nstroj - Vystedn</translation> </message> <message> <source>Animate Tool - All</source> <translation>Animan nstroj - Ve</translation> </message> <message> <source>Selection Tool - Next Type</source> <translation>Vbrov nstroj - Dal typ</translation> </message> <message> <source>Selection Tool - Rectangular</source> <translation>Vbrov nstroj - Obdlnkov</translation> </message> <message> <source>Selection Tool - Freehand</source> <translation>Vbrov nstroj - Voln ruka</translation> </message> <message> <source>Selection Tool - Polyline</source> <translation>Vbrov nstroj - Lomen ra</translation> </message> <message> <source>Geometric Tool - Next Shape</source> <translation>Geometrick nstroj - Dal tvar</translation> </message> <message> <source>Geometric Tool - Rectangle</source> <translation>Geometrick nstroj - Obdlnk</translation> </message> <message> <source>Geometric Tool - Circle</source> <translation>Geometrick nstroj - Kruh</translation> </message> <message> <source>Geometric Tool - Ellipse</source> <translation>Geometrick nstroj - Elipsa</translation> </message> <message> <source>Geometric Tool - Line</source> <translation>Geometrick nstroj - ra</translation> </message> <message> <source>Geometric Tool - Polyline</source> <translation>Geometrick nstroj - Lomen ra</translation> </message> <message> <source>Geometric Tool - Arc</source> <translation>Geometrick nstroj - Oblouk</translation> </message> <message> <source>Geometric Tool - MultiArc</source> <translation>Geometrick nstroj - Lomen oblouk</translation> </message> <message> <source>Geometric Tool - Polygon</source> <translation>Geometrick nstroj - Mnohohelnk</translation> </message> <message> <source>Type Tool - Next Style</source> <translation>Nstroj pro psan - Dal styl</translation> </message> <message> <source>Type Tool - Oblique</source> <translation>Nstroj pro psan - ikm</translation> </message> <message> <source>Type Tool - Regular</source> <translation>Nstroj pro psan - Pravideln</translation> </message> <message> <source>Type Tool - Bold Oblique</source> <translation>Nstroj pro psan - Tun ikm</translation> </message> <message> <source>Type Tool - Bold</source> <translation>Nstroj pro psan - Tun</translation> </message> <message> <source>Fill Tool - Next Type</source> <translation>Nstroj pro vpl - Dal typ</translation> </message> <message> <source>Fill Tool - Normal</source> <translation>Nstroj pro vpl - Normln</translation> </message> <message> <source>Fill Tool - Rectangular</source> <translation>Nstroj pro vpl - Obdlnkov</translation> </message> <message> <source>Fill Tool - Freehand</source> <translation>Nstroj pro vpl - Voln ruka</translation> </message> <message> <source>Fill Tool - Polyline</source> <translation>Nstroj pro vpl - Lomen ra</translation> </message> <message> <source>Fill Tool - Next Mode</source> <translation>Nstroj pro vpl - Dal reim</translation> </message> <message> <source>Fill Tool - Lines &amp; Areas</source> <translation>Nstroj pro vpl - ry a oblasti</translation> </message> <message> <source>Eraser Tool - Next Type</source> <translation>Nstroj k mazn - Dal typ</translation> </message> <message> <source>Eraser Tool - Normal</source> <translation>Nstroj k mazn - Normln</translation> </message> <message> <source>Eraser Tool - Rectangular</source> <translation>Nstroj k mazn - Obdlnkov</translation> </message> <message> <source>Eraser Tool - Freehand</source> <translation>Nstroj k mazn - Voln ruka</translation> </message> <message> <source>Eraser Tool - Polyline</source> <translation>Nstroj k mazn - Lomen ra</translation> </message> <message> <source>Eraser Tool - Segment</source> <translation>Nstroj k mazn - st</translation> </message> <message> <source>Tape Tool - Next Type</source> <translation>Pskov nstroj - Dal typ</translation> </message> <message> <source>Tape Tool - Normal</source> <translation>Pskov nstroj - Normln</translation> </message> <message> <source>Tape Tool - Rectangular</source> <translation>Pskov nstroj - Obdlnkov</translation> </message> <message> <source>Tape Tool - Next Mode</source> <translation>Pskov nstroj - Dal reim</translation> </message> <message> <source>Tape Tool - Endpoint to Endpoint</source> <translation>Pskov nstroj - Od koncovho bodu po koncov bod</translation> </message> <message> <source>Tape Tool - Endpoint to Line</source> <translation>Pskov nstroj - Od koncovho bodu po ru</translation> </message> <message> <source>Tape Tool - Line to Line</source> <translation>Pskov nstroj - Od ry po ru</translation> </message> <message> <source>Style Picker Tool - Next Mode</source> <translation>Nstroj pro vbr stylu - Dal reim</translation> </message> <message> <source>Style Picker Tool - Lines &amp; Areas</source> <translation>Nstroj pro vbr stylu - ry a oblasti</translation> </message> <message> <source>RGB Picker Tool - Next Type</source> <translation>Nstroj pro vbr RGB - Dal typ</translation> </message> <message> <source>RGB Picker Tool - Normal</source> <translation>Nstroj pro vbr RGB - Normln</translation> </message> <message> <source>RGB Picker Tool - Rectangular</source> <translation>Nstroj pro vbr RGB - Obdlnkov</translation> </message> <message> <source>RGB Picker Tool - Freehand</source> <translation>Nstroj pro vbr RGB - Voln ruka</translation> </message> <message> <source>RGB Picker Tool - Polyline</source> <translation>Nstroj pro vbr RGB - Lomen ra</translation> </message> <message> <source>Skeleton Tool - Next Mode</source> <translation>Nstroj pro kostru - Dal reim</translation> </message> <message> <source>Skeleton Tool - Build Skeleton</source> <translation>Nstroj pro kostru - Vytvoen kostry</translation> </message> <message> <source>Skeleton Tool - Animate</source> <translation>Nstroj pro kostru - Animovn</translation> </message> <message> <source>Skeleton Tool - Inverse Kinematics</source> <translation>Nstroj pro kostru - Obrcen pohybu</translation> </message> <message> <source>Plastic Tool - Next Mode</source> <translation>Plastick nstroj - Dal reim</translation> </message> <message> <source>Plastic Tool - Edit Mesh</source> <translation>Plastick nstroj - Upraven st</translation> </message> <message> <source>Plastic Tool - Paint Rigid</source> <translation>Plastick nstroj - Tvrd malovn</translation> </message> <message> <source>Plastic Tool - Build Skeleton</source> <translation>Plastick nstroj - Vytvoen kostry</translation> </message> <message> <source>Plastic Tool - Animate</source> <translation>Plastick nstroj - Animovn</translation> </message> <message> <source>&amp;Export Stop Motion Image Sequence</source> <translation>&amp;Vyvst obrzkovou adu pooknkov (fzov) animace</translation> </message> <message> <source>Pick Focus Check Location</source> <translation>Vyberte msto pro kontrolu zamen</translation> </message> <message> <source>Remove frame before Stop Motion Camera</source> <translation>Odstranit snmek ped kamery pooknkov (fzov) animace</translation> </message> <message> <source>Next Frame including Stop Motion Camera</source> <translation>Dal snmek vetn kamery pooknkov (fzov) animace</translation> </message> <message> <source>Show original live view images.</source> <translation>Zobrazit pvodn obrzky ivho nhledu.</translation> </message> <message> <source>&amp;Export Xsheet to PDF</source> <translation type="unfinished"></translation> </message> <message> <source>Export TVPaint JSON File</source> <translation type="unfinished"></translation> </message> <message> <source>&amp;Apply Auto Lip Sync to Column</source> <translation type="unfinished"></translation> </message> <message> <source>Zoom In And Fit Floating Panel</source> <translation type="unfinished"></translation> </message> <message> <source>Zoom Out And Fit Floating Panel</source> <translation type="unfinished"></translation> </message> <message> <source>Set Cell Mark </source> <translation type="unfinished"></translation> </message> <message> <source>Reset rooms to their default?</source> <translation type="unfinished"></translation> </message> <message> <source>All user rooms will be lost!</source> <translation type="unfinished"></translation> </message> <message> <source>Reset Rooms</source> <translation type="unfinished"></translation> </message> <message> <source>You must restart OpenToonz, close it now?</source> <translation type="unfinished"></translation> </message> <message> <source>&amp;Convert TZP Files In Folder...</source> <translation type="unfinished"></translation> </message> <message> <source>Export Open Cel Animation (OCA)</source> <translation type="unfinished"></translation> </message> <message> <source>&amp;Export Current Scene</source> <translation type="unfinished"></translation> </message> <message> <source>&amp;Export Camera Track</source> <translation type="unfinished"></translation> </message> <message> <source>Toggle Navigation Tag</source> <translation type="unfinished"></translation> </message> <message> <source>Next Tag</source> <translation type="unfinished"></translation> </message> <message> <source>Previous Tag</source> <translation type="unfinished"></translation> </message> <message> <source>Edit Tag</source> <translation type="unfinished"></translation> </message> <message> <source>Remove Tags</source> <translation type="unfinished"></translation> </message> <message> <source>Toggle Blank Frames</source> <translation type="unfinished"></translation> </message> <message> <source>Toggle Viewer Preview</source> <translation type="unfinished"></translation> </message> <message> <source>Toggle Viewer Sub-camera Preview</source> <translation type="unfinished"></translation> </message> <message> <source>&amp;Preproduction Board</source> <translation type="unfinished"></translation> </message> <message> <source>Toggle Main Window&apos;s See Through Mode</source> <translation type="unfinished"></translation> </message> <message> <source>&amp;Custom Panels</source> <translation type="unfinished"></translation> </message> <message> <source>&amp;Custom Panel Editor...</source> <translation type="unfinished"></translation> </message> <message> <source>&amp;Paste Cell Content</source> <translation type="unfinished"></translation> </message> <message> <source>&amp;Viewer Histogram</source> <translation type="unfinished"></translation> </message> <message> <source>Paint Brush - Next Mode</source> <translation type="unfinished"></translation> </message> <message> <source>Paint Brush - Areas</source> <translation type="unfinished"></translation> </message> <message> <source>Paint Brush - Lines</source> <translation type="unfinished"></translation> </message> <message> <source>Paint Brush - Lines &amp; Areas</source> <translation type="unfinished"></translation> </message> <message> <source>Fill Tool - Pick+Freehand</source> <translation type="unfinished"></translation> </message> <message> <source>Type - Pick+Freehand</source> <translation type="unfinished"></translation> </message> <message> <source>Flip Selection/Object Horizontally</source> <translation type="unfinished"></translation> </message> <message> <source>Flip Selection/Object Vertically</source> <translation type="unfinished"></translation> </message> <message> <source>Rotate Selection/Object Left</source> <translation type="unfinished"></translation> </message> <message> <source>Rotate Selection/Object Right</source> <translation type="unfinished"></translation> </message> </context> <context> <name>MatchlinesDialog</name> <message> <source> Apply Match Lines</source> <translation type="vanished">Pout dlic ry</translation> </message> <message> <source>Add Match Line Styles</source> <translation type="vanished">Pidat styl dlic ry</translation> </message> <message> <source>Use Style: </source> <translation type="vanished">Pout styl:</translation> </message> <message> <source>Line Prevalence</source> <translation>Sla ry</translation> </message> <message> <source>Apply</source> <translation>Pout</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Apply Match Lines</source> <translation>Pout dlic ry</translation> </message> <message> <source>Add Match Line Inks</source> <translation>Pidat inkoust pro dlic ry</translation> </message> <message> <source>Use Ink: </source> <translation>Pout inkoust: </translation> </message> <message> <source>Ink Usage</source> <translation>Pouit inkoustu</translation> </message> <message> <source>Line Stacking Order</source> <translation>Poad vrstvy dlicch ar</translation> </message> <message> <source>L-Up R-Down</source> <translation>L-nahoru R-dol</translation> </message> <message> <source>L-Down R-Up</source> <translation>L-dol R-nahoru</translation> </message> <message> <source>Keep Halftone</source> <translation>Zachovat polotn</translation> </message> <message> <source>Fill Gaps</source> <translation>Vyplnit mezery</translation> </message> <message> <source>Merge Inks</source> <translation>Slouit inkousty</translation> </message> <message> <source>Merge Inks : If the target level has the same style as the match line ink (i.e. with the same index and the same color), the existing style will be used. Otherwise, a new style will be added to &quot;match lines&quot; page.</source> <translation>Slouit inkousty: Pokud m clov rove stejn styl jako inkoust pro dlic ru (tj. se stejnm indexem a stejnou barvou) bude pouit stvajc styl. Jinak bude na strnku Dlic ry pidn nov styl.</translation> </message> </context> <context> <name>MenuBarPopup</name> <message> <source>Customize Menu Bar of Room &quot;%1&quot;</source> <translation>Pizpsobit nabdkov pruh pracovn plochy &quot;%1&quot;</translation> </message> <message> <source>OK</source> <translation>OK</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>%1 Menu Bar</source> <translation>%1 Pruh s nabdkou</translation> </message> <message> <source>Menu Items</source> <translation>Poloky v nabdce</translation> </message> <message> <source>N.B. If you put unique title to submenu, it may not be translated to another language. N.B. Duplicated commands will be ignored. Only the last one will appear in the menu bar.</source> <translation>Vimnte si dobe, e pokud do podnabdky vlote jedinen nzev, nemus bt peloen do jinho jazyka. A dle si vimnte, e zdvojen pkazy se budou pehlet. V pruhu s nabdkou se zobraz pouze posledn.</translation> </message> <message> <source>Search:</source> <translation type="unfinished">Hledat:</translation> </message> </context> <context> <name>MenuBarTree</name> <message> <source>Insert Menu</source> <translation>Vloit nabdku</translation> </message> <message> <source>Insert Submenu</source> <translation>Vloit podnabdku</translation> </message> <message> <source>Remove &quot;%1&quot;</source> <translation>Odstranit &quot;%1&quot;</translation> </message> <message> <source>New Menu</source> <translation>Nov nabdka</translation> </message> </context> <context> <name>MergeCmappedCommand</name> <message> <source>It is not possible to merge tlv columns because no column was selected.</source> <translation type="vanished">Sloupce TLV nelze slouit, protoe nebyly vybrny dn sloupce.</translation> </message> <message> <source>It is not possible to merge tlv columns because at least two columns have to be selected.</source> <translation type="vanished">Sloupce TLV nelze slouit, protoe mus bt vybrny alespo dva sloupce.</translation> </message> <message> <source>Merging Tlv Levels...</source> <translation type="vanished">Sluuj se rovn TLV...</translation> </message> </context> <context> <name>MergeCmappedDialog</name> <message> <source>Save in:</source> <translation>Uloit v:</translation> </message> <message> <source>File Name:</source> <translation>Nzev souboru:</translation> </message> <message> <source>Apply</source> <translation>Pout</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Ok</source> <translation>OK</translation> </message> <message> <source> Merge Tlv Levels</source> <translation> Slouit rovn TLV</translation> </message> <message> <source>Level %1 already exists! Are you sure you want to overwrite it?</source> <translation>rove %1 ji existuje. Opravdu ji chcete pepsat?</translation> </message> </context> <context> <name>MergeColumnsCommand</name> <message> <source>It is not possible to execute the merge column command because no column was selected.</source> <translation type="vanished">Sloupce nelze slouit, protoe nebyly vybrny dn sloupce.</translation> </message> <message> <source>It is not possible to execute the merge column command because only one columns is selected.</source> <translation type="vanished">Sloupce nelze slouit, protoe byly vybrn jen jeden sloupec.</translation> </message> </context> <context> <name>MeshifyPopup</name> <message> <source>A level with the preferred path &quot;%1&quot; already exists. What do you want to do?</source> <translation>Ji existuje rove s upednostovanou cestou &quot;%1&quot;. Co chcete dlat?</translation> </message> <message> <source>Delete the old level entirely</source> <translation>Starou rove pln odstranit</translation> </message> <message> <source>Keep the old level and overwrite processed frames</source> <translation>Starou rove zachovat a zpracovan snmky pepsat</translation> </message> <message> <source>Choose a different path (%1)</source> <translation>Vyberte jinou cestu (%1)</translation> </message> <message> <source>Create Mesh</source> <translation>Vytvoit s</translation> </message> <message> <source>Mesh Edges Length:</source> <translation>Dlka hran st:</translation> </message> <message> <source>Rasterization DPI:</source> <translation>DPI rasterizace:</translation> </message> <message> <source>Mesh Margin (pixels):</source> <translation>Odstup st (pixely):</translation> </message> <message> <source>Apply</source> <translation>Pout</translation> </message> <message> <source>Mesh Creation in progress...</source> <translation>Vytv se s...</translation> </message> <message> <source>Current selection contains mixed image and mesh level types</source> <translation>Nynj vbr obsahuje smchan obrzkov a rovov typy</translation> </message> <message> <source>Current selection contains no image or mesh level types</source> <translation>Nynj vbr neobsahuje dn obrzkov a rovov typy</translation> </message> </context> <context> <name>MyScannerListener</name> <message> <source>Scanning in progress: </source> <translation>Probh skenovn: </translation> </message> <message> <source>The scanning process is completed.</source> <translation>Postup skenovn je dokonen.</translation> </message> <message> <source>There was an error during the scanning process.</source> <translation>Bhem skenovn se vyskytla chyba.</translation> </message> <message> <source>Please, place the next paper drawing on the scanner flatbed, then select the relevant command in the TWAIN interface.</source> <translation>Polote, prosm, dal kresbu na papru na plochu skeneru, a v rozhran TWIN zvolte odpovdajc pkaz.</translation> </message> <message> <source>Please, place the next paper drawing on the scanner flatbed, then click the Scan button.</source> <translation>Polote, prosm, dal kresbu na papru na plochu skeneru, a potom stisknte tlatko pro skenovn.</translation> </message> <message> <source>The pixel type is not supported.</source> <translation>Formt obrazovho bodu (pixelu) nen podporovn.</translation> </message> </context> <context> <name>MyVideoWidget</name> <message> <source>Camera is not available</source> <translation>Kamera nen dostupn</translation> </message> </context> <context> <name>MyViewFinder</name> <message> <source>Camera is not available</source> <translation type="vanished">Kamera nen dostupn</translation> </message> </context> <context> <name>NavTagEditorPopup</name> <message> <source>Edit Tag</source> <translation type="unfinished"></translation> </message> <message> <source>Frame %1 Label:</source> <translation type="unfinished"></translation> </message> <message> <source>Magenta</source> <translation type="unfinished"></translation> </message> <message> <source>Red</source> <translation type="unfinished"></translation> </message> <message> <source>Green</source> <translation type="unfinished"></translation> </message> <message> <source>Blue</source> <translation type="unfinished"></translation> </message> <message> <source>Yellow</source> <translation type="unfinished"></translation> </message> <message> <source>Cyan</source> <translation type="unfinished"></translation> </message> <message> <source>White</source> <translation type="unfinished"></translation> </message> <message> <source>Dark Magenta</source> <translation type="unfinished"></translation> </message> <message> <source>Dark Red</source> <translation type="unfinished"></translation> </message> <message> <source>Dark Green</source> <translation type="unfinished"></translation> </message> <message> <source>Dark Blue</source> <translation type="unfinished"></translation> </message> <message> <source>Dark Yellow</source> <translation type="unfinished"></translation> </message> <message> <source>Dark Cyan</source> <translation type="unfinished"></translation> </message> <message> <source>Dark Gray</source> <translation type="unfinished"></translation> </message> <message> <source>Color:</source> <translation type="unfinished"></translation> </message> <message> <source>Ok</source> <translation type="unfinished">OK</translation> </message> <message> <source>Cancel</source> <translation type="unfinished">Zruit</translation> </message> </context> <context> <name>OutputSettingsPopup</name> <message> <source>Save in:</source> <translation>Uloit v:</translation> </message> <message> <source>File Name:</source> <translation type="vanished">Nzev souboru:</translation> </message> <message> <source>File Format:</source> <translation type="vanished">Formt souboru:</translation> </message> <message> <source>Output Camera:</source> <translation>Kamera vstupu:</translation> </message> <message> <source>To Frame:</source> <translation type="vanished">Ke snmku:</translation> </message> <message> <source>From Frame:</source> <translation type="vanished">Od snmku:</translation> </message> <message> <source>Shrink:</source> <translation>Zmenit:</translation> </message> <message> <source>Step:</source> <translation>Krok:</translation> </message> <message> <source>None</source> <translation>dn</translation> </message> <message> <source>Fx Schematic Flows</source> <translation>Tok nrtku zvltnho efektu</translation> </message> <message> <source>Fx Schematic Terminal Nodes</source> <translation>Vrcholn uzly nrtku efektu</translation> </message> <message> <source>Multiple Rendering: </source> <translation type="vanished">Vcensobn zpracovn:</translation> </message> <message> <source>Do stereoscopy</source> <translation>: </translation> </message> <message> <source>Standard</source> <translation>Standardn</translation> </message> <message> <source>Improved</source> <translation>Vylepen</translation> </message> <message> <source>High</source> <translation>Vysok</translation> </message> <message> <source>Resample Balance:</source> <translation>Metoda interpolace obrazu (vyven pevzorkovn):</translation> </message> <message> <source>Channel Width:</source> <translation>ka kanlu:</translation> </message> <message> <source>Gamma:</source> <translation>Gama:</translation> </message> <message> <source>Odd (NTSC)</source> <translation>Lich (NTSC)</translation> </message> <message> <source>Even (PAL)</source> <translation>Sud (PAL)</translation> </message> <message> <source>Dominant Field:</source> <translation>Zpracovn pole (dominantn sov struktura):</translation> </message> <message> <source>to FPS:</source> <translation type="vanished">Posunut k FPS:</translation> </message> <message> <source>Stretch from FPS:</source> <translation>Posunut od FPS:</translation> </message> <message> <source>Single</source> <translation>Jeden</translation> </message> <message> <source>Half</source> <translation>Polovina</translation> </message> <message> <source>All</source> <translation>Ve</translation> </message> <message> <source>Dedicated CPUs:</source> <translation>Pslun procesory (CPU):</translation> </message> <message> <source>Large</source> <translation>Velk</translation> </message> <message> <source>Medium</source> <translation>Stedn</translation> </message> <message> <source>Small</source> <translation>Mal</translation> </message> <message> <source>Render Tile:</source> <translation>Dladice zpracovn:</translation> </message> <message> <source>Options</source> <translation>Volby</translation> </message> <message> <source>Use Sub-Camera</source> <translation>Pout podkameru</translation> </message> <message> <source>Apply Shrink to Main Viewer</source> <translation>Pout zmenen na hlavn prohle</translation> </message> <message> <source>Preview Settings</source> <translation>Nastaven nhledu</translation> </message> <message> <source>Output Settings</source> <translation>Nastaven vstupu</translation> </message> <message> <source>8 bits</source> <translation type="vanished">8-bit</translation> </message> <message> <source>16 bits</source> <translation type="vanished">16-bit</translation> </message> <message> <source>Columns</source> <translation type="vanished">Sloupce</translation> </message> <message> <source>Camera Shift:</source> <translation>Posunut kamery:</translation> </message> <message> <source>Stereoscopic Render:</source> <translation type="vanished">Stereoskopick zpracovn:</translation> </message> <message> <source>Camera Settings</source> <translation>Nastaven kamery</translation> </message> <message> <source>File Settings</source> <translation>Nastaven souboru</translation> </message> <message> <source>Other Settings</source> <translation type="vanished">Jin nastaven</translation> </message> <message> <source>Add</source> <translation>Pidat</translation> </message> <message> <source>Remove</source> <translation>Odstranit</translation> </message> <message> <source>Triangle filter</source> <translation>Trojhelnkov filtr</translation> </message> <message> <source>Mitchell-Netravali filter</source> <translation>Filtr Mitchell-Netravali</translation> </message> <message> <source>Cubic convolution, a = .5</source> <translation>Kubick spirla, a = .5</translation> </message> <message> <source>Cubic convolution, a = .75</source> <translation>Kubick spirla, a = .75</translation> </message> <message> <source>Cubic convolution, a = 1</source> <translation>Kubick spirla, a = .1</translation> </message> <message> <source>Hann window, rad = 2</source> <translation>Hannovo okno, rad = 2</translation> </message> <message> <source>Hann window, rad = 3</source> <translation>Hannovo okno, rad = 3</translation> </message> <message> <source>Hamming window, rad = 2</source> <translation>Hammingovo okno, rad = 2</translation> </message> <message> <source>Hamming window, rad = 3</source> <translation>Hammingovo okno, rad = 3</translation> </message> <message> <source>Lanczos window, rad = 2</source> <translation>Lanczosovo okno, rad = 2</translation> </message> <message> <source>Lanczos window, rad = 3</source> <translation>Lanczosovo okno, rad = 3</translation> </message> <message> <source>Gaussian convolution</source> <translation>Gaussova spirla</translation> </message> <message> <source>Closest Pixel (Nearest Neighbor)</source> <translation>Nejbli pixel (nejbli soused)</translation> </message> <message> <source>Bilinear</source> <translation>Bilinern</translation> </message> <message> <source>8 bit</source> <translation>8-bit</translation> </message> <message> <source>16 bit</source> <translation>16-bit</translation> </message> <message> <source>Presets:</source> <translation>Pednastaven:</translation> </message> <message> <source>Frame Start:</source> <translation>Od snmku:</translation> </message> <message> <source>End:</source> <translation>Ke snmku:</translation> </message> <message> <source>Name:</source> <translation>Nzev:</translation> </message> <message> <source>Frame Rate (linked to Scene Settings):</source> <translation type="vanished">Snmkovn (FPS, spojeno s nastavenm vjevu):</translation> </message> <message> <source> To:</source> <translation>Pevod k:</translation> </message> <message> <source>Multiple Rendering:</source> <translation>Vcensobn zpracovn:</translation> </message> <message> <source>Add preset</source> <translation>Pidat pednastaven</translation> </message> <message> <source>Enter the name for the output settings preset.</source> <translation>Zadejte nzev pro pednastaven nastaven vstupu.</translation> </message> <message> <source>Add output settings preset</source> <translation>Pidat pednastaven pro nastaven vstupu</translation> </message> <message> <source>&lt;custom&gt;</source> <translation>&lt;vlastn&gt;</translation> </message> <message> <source>Remove preset</source> <translation>Odstranit pednastaven</translation> </message> <message> <source>Warning</source> <translation>Varovn</translation> </message> <message> <source>Render</source> <translation>Zpracovn</translation> </message> <message> <source>Add Clapperboard</source> <translation>Pidat filmovou klapku</translation> </message> <message> <source>Edit Clapperboard...</source> <translation>Upravit filmovou klapku...</translation> </message> <message> <source>Save current output settings. The parameters to be saved are: - Camera settings - Project folder to be saved in - File format - File options - Resample Balance - Channel width</source> <translation type="vanished">Uloit nynj nastaven vstupu. Parametry, kter se maj uloit, jsou: - Nastaven kamery - Sloka projektu, do kter se maj uloit - Formt souboru - Volby souboru - Vyven pevzorkovn - ka kanlu</translation> </message> <message> <source>Camera</source> <translation>Kamera</translation> </message> <message> <source>File</source> <translation>Soubor</translation> </message> <message> <source>More</source> <translation>Vce</translation> </message> <message> <source>More Settings</source> <translation>Dal nastaven</translation> </message> <message> <source>Frame Rate:</source> <translation>Snmkovn:</translation> </message> <message> <source>(linked to Scene Settings)</source> <translation>(spojeno s nastavenm vjevu)</translation> </message> <message> <source>Save current output settings. The parameters to be saved are: - Camera settings - Project folder to be saved in - File format - File options - Resample Balance - Channel width - Linear Color Space - Color Space Gamma</source> <translation type="unfinished"></translation> </message> <message> <source>Color</source> <translation type="unfinished">Barva</translation> </message> <message> <source>Color Settings</source> <translation type="unfinished"></translation> </message> <message> <source>Sync with Output Settings</source> <translation type="unfinished"></translation> </message> <message> <source>32 bit Floating point</source> <translation type="unfinished"></translation> </message> <message> <source>On rendering, color values will be temporarily converted to linear light from nonlinear RGB values by using color space gamma.</source> <translation type="unfinished"></translation> </message> <message> <source>Color Space Gamma value is used for conversion between the linear and nonlinear color spaces, when the &quot;Linear Color Space&quot; option is enabled.</source> <translation type="unfinished"></translation> </message> <message> <source> Input less than 1.0 to sync the value with the output settings.</source> <translation type="unfinished"></translation> </message> <message> <source>Linear Color Space:</source> <translation type="unfinished"></translation> </message> <message> <source>Color Space Gamma:</source> <translation type="unfinished"></translation> </message> </context> <context> <name>OverwriteDialog</name> <message> <source>Warning!</source> <translation>Varovn!</translation> </message> <message> <source>Keep existing file</source> <translation>Zachovat stvajc soubor</translation> </message> <message> <source>Overwrite the existing file with the new one</source> <translation>Pepsat stvajc soubor novm souborem</translation> </message> <message> <source>Rename the new file adding the suffix</source> <translation>Pejmenovat nov soubor a pidat pponu</translation> </message> <message> <source>Apply</source> <translation>Pout</translation> </message> <message> <source>Apply to All</source> <translation>Pout na ve</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>File %1 already exists. What do you want to do?</source> <translation>Soubor &quot;%1&quot; ji existuje. Co chcete dlat?</translation> </message> <message> <source>The suffix field is empty. Please specify a suffix.</source> <translation>Pole pro pponu je przdn. Zadejte, prosm, pponu.</translation> </message> <message> <source>File %1 exists as well; please choose a different suffix.</source> <translation>Soubor %1 ji existuje. Vyberte, prosm, jinou pponu.</translation> </message> <message> <source>Level &quot;%1&quot; already exists. What do you want to do?</source> <translation>rove &quot;%1&quot;ji existuje. Co chcete dlat?</translation> </message> <message> <source>File &quot;%1&quot; already exists. What do you want to do?</source> <translation>Soubor &quot;%1&quot; ji existuje. Co chcete dlat?</translation> </message> <message> <source>Overwrite</source> <translation type="vanished">Pepsat</translation> </message> <message> <source>Skip</source> <translation type="vanished">Peskoit</translation> </message> <message> <source>File &quot;%1&quot; already exists. Do you want to overwrite it?</source> <translation type="vanished">Soubor %1 ji existuje. Chcete jej pepsat?</translation> </message> </context> <context> <name>PaletteViewerPanel</name> <message> <source>Freeze</source> <translation>Pozastavit</translation> </message> </context> <context> <name>PencilTestPopup</name> <message> <source>Camera Capture</source> <translation>Zachytvn kamery</translation> </message> <message> <source>Refresh</source> <translation>Obnovit</translation> </message> <message> <source>File</source> <translation>Soubor</translation> </message> <message> <source>Options</source> <translation>Volby</translation> </message> <message> <source>Save images as they are captured</source> <translation>Uloit obrzky, kdy jsou zachyceny</translation> </message> <message> <source>Image adjust</source> <translation>Pizpsoben obrzku</translation> </message> <message> <source>Upside down</source> <translation>Obrcen</translation> </message> <message> <source>Capture white BG</source> <translation>Zachytit bl pozad</translation> </message> <message> <source>Display</source> <translation type="vanished">Zobrazit</translation> </message> <message> <source>Show onion skin</source> <translation type="vanished">Ukzat cibulov vzhled</translation> </message> <message> <source>Interval timer</source> <translation>asova intervalu</translation> </message> <message> <source>Use interval timer</source> <translation type="vanished">Pout asova intervalu</translation> </message> <message> <source>Capture [Return key]</source> <translation> Zachytvn [klvesa Enter]</translation> </message> <message> <source>Close</source> <translation>Zavt</translation> </message> <message> <source>Next Level</source> <translation>Dal rove</translation> </message> <message> <source>Camera:</source> <translation>Kamera:</translation> </message> <message> <source>Resolution:</source> <translation>Rozlien:</translation> </message> <message> <source>Name:</source> <translation>Nzev:</translation> </message> <message> <source>Frame:</source> <translation>Snmek:</translation> </message> <message> <source>File Type:</source> <translation>Typ souboru:</translation> </message> <message> <source>Save In:</source> <translation>Uloit v:</translation> </message> <message> <source>Color type:</source> <translation>Typ barvy:</translation> </message> <message> <source>Threshold:</source> <translation type="obsolete">Schwellenwert:</translation> </message> <message> <source>Contrast:</source> <translation type="obsolete">Kontrast:</translation> </message> <message> <source>BG reduction:</source> <translation>Zmenen pozad:</translation> </message> <message> <source>Opacity(%):</source> <translation>Neprhlednost (%):</translation> </message> <message> <source>Interval(sec):</source> <translation>Interval (s):</translation> </message> <message> <source>No camera found</source> <translation>Nenalezena dn kamera</translation> </message> <message> <source>- Select camera -</source> <translation>- Vybrat kameru -</translation> </message> <message> <source>Start Capturing [Return key]</source> <translation>Spustit zachytvn [klvesa Enter]</translation> </message> <message> <source>Stop Capturing [Return key]</source> <translation>Zastavit zachytvn [klvesa Enter]</translation> </message> <message> <source>No level name specified: please choose a valid level name</source> <translation>Pro soubor nestanoven dn nzev rovn: Zvolte, prosm, platn nzev pro rove</translation> </message> <message> <source>Folder %1 doesn&apos;t exist. Do you want to create it?</source> <translation>Sloka %1 neexistuje. Chcete ji vytvoit?</translation> </message> <message> <source>Unable to create</source> <translation>Nelze vytvoit</translation> </message> <message> <source>The level name specified is already used: please choose a different level name.</source> <translation>Nzev rovn se ji pouv: Zvolte, prosm, jin nzev.</translation> </message> <message> <source>The save in path specified does not match with the existing level.</source> <translation>Zadan cesta pro Uloit v neodpovd existujc rovni.</translation> </message> <message> <source>The captured image size does not match with the existing level.</source> <translation>Velikost zachycenho obrzku neodpovd existujc rovni.</translation> </message> <message> <source>File %1 does exist. Do you want to overwrite it?</source> <translation>Soubor %1 ji existuje. Chcete jej pepsat?</translation> </message> <message> <source>Failed to load %1.</source> <translation>Nepodailo se nahrt %1.</translation> </message> <message> <source>Video Capture Filter Settings...</source> <translation>Nastaven filtru pro zachytvn obrazu...</translation> </message> <message> <source>No</source> <comment>frame id</comment> <translation>Ne</translation> </message> <message> <source>Load Selected Image</source> <translation>Nahrt vybran obrzek</translation> </message> <message> <source>Subfolder</source> <translation>Podsloka</translation> </message> <message> <source>Previous Level</source> <translation>Pedchoz rove</translation> </message> <message> <source>Color</source> <translation>Barva</translation> </message> <message> <source>Grayscale</source> <translation>Odstny edi</translation> </message> <message> <source>Black &amp; White</source> <translation>ern a bl</translation> </message> <message> <source>No image selected. Please select an image in the Xsheet.</source> <translation>Nevybrn dn obrzek. Vyberte, prosm, v zbru njak obrzek.</translation> </message> <message> <source>The selected image is not in a raster level.</source> <translation>Vybran obrzek nen v rastrov rovni.</translation> </message> <message> <source>The selected image size does not match the current camera settings.</source> <translation>Vybran obrzek neodpovd nastaven nynj kamery.</translation> </message> <message> <source>UNDEFINED WARNING</source> <translation>NEUREN VAROVN</translation> </message> <message> <source>The level is not registered in the scene, but exists in the file system.</source> <translation>rove nen zaregistrovna ve vjevu, ale existuje v souborovm systmu.</translation> </message> <message> <source> WARNING : Image size mismatch. The saved image size is %1 x %2.</source> <translation> VAROVN: Nesoulad ve velikosti obrzku. Velikost uloenho obrzku je %1 x %2.</translation> </message> <message> <source>WARNING</source> <translation>VAROVN</translation> </message> <message> <source> Frame %1 exists.</source> <translation> Snmek %1 existuje.</translation> </message> <message> <source> Frames %1 exist.</source> <translation> Snmky%1 existuj.</translation> </message> <message> <source>OVERWRITE 1 of</source> <translation>PEPSN 1</translation> </message> <message> <source>ADD to</source> <translation>PIDAT do</translation> </message> <message> <source> %1 frame</source> <translation> %1 snmek</translation> </message> <message> <source> %1 frames</source> <translation> %1 snmk</translation> </message> <message> <source>The level will be newly created.</source> <translation>rove bude nov vytvoena.</translation> </message> <message> <source>NEW</source> <translation>NOV</translation> </message> <message> <source>The level is already registered in the scene.</source> <translation>rove je ji zaregistrovna ve vjevu.</translation> </message> <message> <source> NOTE : The level is not saved.</source> <translation> POZNMKA: rove nen uloena.</translation> </message> <message> <source> WARNING : Failed to get image size of the existing level %1.</source> <translation> VAROVN: Nepodailo se zskat velikost obrzku stvajc rovn %1.</translation> </message> <message> <source> WARNING : Image size mismatch. The existing level size is %1 x %2.</source> <translation> VAROVN: Nesoulad ve velikosti obrzku. Velikost stvajc rovn je %1 x %2.</translation> </message> <message> <source>WARNING : Level name conflicts. There already is a level %1 in the scene with the path %2.</source> <translation>VAROVN: Stety v nzvu rovn. Ve vjevu ji je rove %1 s cestou %2.</translation> </message> <message> <source> WARNING : Image size mismatch. The size of level with the same name is is %1 x %2.</source> <translation> VAROVN: Nesoulad ve velikosti obrzku. Velikost rovn se stejnm nzvem je %1 x %2.</translation> </message> <message> <source>WARNING : Level path conflicts. There already is a level with the path %1 in the scene with the name %2.</source> <translation>VAROVN: Stety v cest rovn. Ve vjevu ji je rove %1 s cestou %2.</translation> </message> <message> <source> WARNING : Image size mismatch. The size of level with the same path is %1 x %2.</source> <translation> VAROVN: Nesoulad ve velikosti obrzku. Velikost rovn se stejnou cestou je %1 x %2.</translation> </message> <message> <source>Subcamera</source> <translation>Oblast</translation> </message> <message> <source>Use Direct Show Webcam Drivers</source> <translation>Pout ovladae webkamery Direct Show</translation> </message> <message> <source>Use MJPG with Webcam</source> <translation>Pout MJPG s webkamerou</translation> </message> <message> <source>Onion skin</source> <translation type="unfinished">Cibulov slupka</translation> </message> <message> <source>Calibration</source> <translation type="unfinished"></translation> </message> <message> <source>Capture</source> <translation type="unfinished">Zachytvn</translation> </message> <message> <source>Cancel</source> <translation type="unfinished">Zruit</translation> </message> <message> <source>Start calibration</source> <translation type="unfinished"></translation> </message> <message> <source>Load</source> <translation type="unfinished">Nahrt</translation> </message> <message> <source>Export</source> <translation type="unfinished">Vyvst</translation> </message> <message> <source>Open Readme.txt for Camera calibration...</source> <translation type="unfinished"></translation> </message> <message> <source>Failed to save calibration settings.</source> <translation type="unfinished"></translation> </message> <message> <source>Do you want to restart camera calibration?</source> <translation type="unfinished"></translation> </message> <message> <source>Couldn&apos;t load %1</source> <translation type="unfinished">Nepodailo se nahrt %1</translation> </message> <message> <source>Overwriting the current calibration. Are you sure?</source> <translation type="unfinished"></translation> </message> <message> <source>Couldn&apos;t save %1</source> <translation type="unfinished">Nepodailo se uloit %1</translation> </message> <message> <source>DPI:Auto</source> <translation type="unfinished"></translation> </message> <message> <source>Size</source> <translation type="unfinished">Velikost</translation> </message> <message> <source>Position</source> <translation type="unfinished"></translation> </message> <message> <source>DPI:%1</source> <translation type="unfinished"></translation> </message> <message> <source>This option specifies DPI for newly created levels. Adding frames to the existing level won&apos;t refer to this value. Auto: If the subcamera is not active, apply the current camera dpi. If the subcamera is active, compute the dpi so that the image will fit to the camera frame. Custom : Always use the custom dpi specified here.</source> <translation type="unfinished"></translation> </message> <message> <source>Auto</source> <translation type="unfinished">Automaticky</translation> </message> <message> <source>Custom</source> <translation type="unfinished"></translation> </message> </context> <context> <name>PencilTestSaveInFolderPopup</name> <message> <source>Create the Destination Subfolder to Save</source> <translation>Vytvoit clovou podsloku k uloen</translation> </message> <message> <source>Set As Default</source> <translation>Nastavit jako vchoz</translation> </message> <message> <source>Set the current &quot;Save In&quot; path as the default.</source> <translation>Nastavit nynj cestu &quot;Uloit v&quot; jako vchoz.</translation> </message> <message> <source>Create Subfolder</source> <translation>Vytvoit podsloku</translation> </message> <message> <source>Infomation</source> <translation type="vanished">Informace</translation> </message> <message> <source>Subfolder Name</source> <translation>Nzev podsloky</translation> </message> <message> <source>Auto Format:</source> <translation>Automatick formt:</translation> </message> <message> <source>Show This on Launch of the Camera Capture</source> <translation>Ukzat toto pi sputn zachytvn kamery</translation> </message> <message> <source>Save Scene in Subfolder</source> <translation>Uloit vjev v podsloce</translation> </message> <message> <source>OK</source> <translation>OK</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>C- + Sequence + Scene</source> <translation>C- + ryvek + vjev</translation> </message> <message> <source>Sequence + Scene</source> <translation>ryvek + vjev</translation> </message> <message> <source>Episode + Sequence + Scene</source> <translation>Dl + ryvek + vjev</translation> </message> <message> <source>Project + Episode + Sequence + Scene</source> <translation>Projekt + dl + ryvek + vjev</translation> </message> <message> <source>Save the current scene in the subfolder. Set the output folder path to the subfolder as well.</source> <translation>Uloit nynj vjev do podsloky. Nastavit cestu k vstupn sloce tak na podsloku.</translation> </message> <message> <source>Save In:</source> <translation>Uloit v:</translation> </message> <message> <source>Project:</source> <translation>Projekt:</translation> </message> <message> <source>Episode:</source> <translation>Dl:</translation> </message> <message> <source>Sequence:</source> <translation>ryvek:</translation> </message> <message> <source>Scene:</source> <translation>Vjev:</translation> </message> <message> <source>Subfolder Name:</source> <translation>Nzev podsloky:</translation> </message> <message> <source>Subfolder name should not be empty.</source> <translation>Nzev podsloky nesm bt przdn.</translation> </message> <message> <source>Subfolder name should not contain following characters: * . &quot; / \ [ ] : ; | = , </source> <translation>Nzev podsloky nesm obsahovat nsledujc znaky: * . &quot; / \ [ ] : ; | = ,</translation> </message> <message> <source>Folder %1 already exists.</source> <translation>Soubor %1 ji existuje.</translation> </message> <message> <source>It is not possible to create the %1 folder.</source> <translation>Sloku %1 nelze vytvoit.</translation> </message> <message> <source>Information</source> <translation type="unfinished"></translation> </message> </context> <context> <name>PltGizmoPopup</name> <message> <source>Palette Gizmo</source> <translation>Upravit paletu</translation> </message> <message> <source>Luminance:</source> <translation type="vanished">Svtivost:</translation> </message> <message> <source>Saturation:</source> <translation type="vanished">Sytost:</translation> </message> <message> <source>Hue:</source> <translation type="vanished">Odstn:</translation> </message> <message> <source>Transparency:</source> <translation type="vanished">Prhlednost:</translation> </message> <message> <source>Fade to Color</source> <translation>Vyblednout k barv</translation> </message> <message> <source> Color:</source> <translation type="vanished"> Barva:</translation> </message> <message> <source>Fade</source> <translation>Vyblednout</translation> </message> <message> <source>Blend</source> <translation>Vpl</translation> </message> <message> <source>Full Matte</source> <translation type="vanished">Pln pozad</translation> </message> <message> <source>Zero Matte</source> <translation type="vanished">dn pozad</translation> </message> <message> <source>Scale (%)</source> <translation>klovn (%)</translation> </message> <message> <source>Shift (value)</source> <translation>Posunut (hodnota)</translation> </message> <message> <source>Value</source> <translation>Hodnota</translation> </message> <message> <source>Saturation</source> <translation>Sytost</translation> </message> <message> <source>Hue</source> <translation>Odstn</translation> </message> <message> <source>Matte</source> <translation type="vanished">Alfa</translation> </message> <message> <source>Color</source> <translation>Barva</translation> </message> <message> <source>Full Alpha</source> <translation>Pln alfa</translation> </message> <message> <source>Zero Alpha</source> <translation>dn alfa</translation> </message> <message> <source>Alpha</source> <translation>Alfa</translation> </message> </context> <context> <name>PreferencesPopup</name> <message> <source>Preferences</source> <translation>Nastaven</translation> </message> <message> <source>General</source> <translation>Obecn</translation> </message> <message> <source>Use Default Viewer for Movie Formats</source> <translation>Pout vchoz prohle pro filmov formty</translation> </message> <message> <source>Save Automatically Every Minutes</source> <translation type="vanished">Uloit automaticky po stanovenm potu minut</translation> </message> <message> <source>Backup Animation Levels when Saving</source> <translation type="vanished">Pi ukldn vytvoit zlohu rovn animace</translation> </message> <message> <source>Cell-dragging Behaviour:</source> <translation>Chovn pi taen bunk:</translation> </message> <message> <source>Interface</source> <translation>Rozhran</translation> </message> <message> <source>Style:</source> <translation type="vanished">Styl:</translation> </message> <message> <source>Open FlipboOk after Rendering</source> <translation type="vanished">Po zpracovn otevt FlipboOk</translation> </message> <message> <source>Unit:</source> <translation>Jednotka:</translation> </message> <message> <source>Camera Unit:</source> <translation>Jednotka kamery:</translation> </message> <message> <source>FlipboOk Shrink:</source> <translation type="vanished">Zmenit FlipboOk:</translation> </message> <message> <source>Step:</source> <translation>Krok:</translation> </message> <message> <source>Height*:</source> <translation type="vanished">Vka*:</translation> </message> <message> <source>Loading</source> <translation>Nahrvn</translation> </message> <message> <source>Expose Loaded Levels in Xsheet</source> <translation>Ukzat nahran rovn v zbru</translation> </message> <message> <source>Create Sub-folder when Importing Sub-Xsheet</source> <translation>Pi zavdn podzbr vytvoit podsloky</translation> </message> <message> <source>Drawing</source> <translation>Kreslen</translation> </message> <message> <source>Keep Original Cleaned Up Drawings As Backup</source> <translation>Vyitn kresby (TLV) uloit pmo jako zlohu</translation> </message> <message> <source>Animation</source> <translation>Animace</translation> </message> <message> <source>Default Interpolation: </source> <translation type="vanished">Vchoz interpolace obrazu:</translation> </message> <message> <source>Linear</source> <translation>Linern</translation> </message> <message> <source>Speed In / Speed Out</source> <translation>Zrychlen na zatku/na konci</translation> </message> <message> <source>Ease In / Ease Out</source> <translation>Zpomalen na zatku/na konci</translation> </message> <message> <source>Ease In / Ease Out %</source> <translation>Zpomalen na zatku/na konci %</translation> </message> <message> <source>Animation Step:</source> <translation>Krok animace:</translation> </message> <message> <source>Preview</source> <translation>Nhled</translation> </message> <message> <source>Blank Frames:</source> <translation>Przdn snmky:</translation> </message> <message> <source>Blank Frames Color:</source> <translation>Barva przdnch snmk:</translation> </message> <message> <source>Display in a New FlipboOk Window</source> <translation type="vanished">Zobrazit v novm okn FlipboOk</translation> </message> <message> <source>Rewind after Playback</source> <translation>Po pehrn petoit</translation> </message> <message> <source>Onion Skin</source> <translation>Cibulov slupka</translation> </message> <message> <source> Following Frames Correction: </source> <translation type="vanished">Nastaven barvy nsledujcch snmk: </translation> </message> <message> <source>Display Lines Only</source> <translation>Zobrazit jen ry</translation> </message> <message> <source>Version Control</source> <translation>Sprva verz</translation> </message> <message> <source>Automatically Refresh Folder Contents</source> <translation>Automaticky aktualizovat obsah sloky</translation> </message> <message> <source>Cells Only</source> <translation>Jen buky zbr</translation> </message> <message> <source>Cells and Column Data</source> <translation>Data sloupc a bunk</translation> </message> <message> <source>Undo Memory Size (MB):</source> <translation>Velikost pamti (MB) pro nvrat zpt:</translation> </message> <message> <source>Render Task Chunk Size:</source> <translation>Velikost kousku lohy zpracovn:</translation> </message> <message> <source>Show Info in Rendered Frames</source> <translation>Ukzat informace ve zpracovanch snmcch</translation> </message> <message> <source>cm</source> <translation>cm</translation> </message> <message> <source>mm</source> <translation>mm</translation> </message> <message> <source>inch</source> <translation>palec</translation> </message> <message> <source>field</source> <translation>pole</translation> </message> <message> <source>Xsheet Autopan during Playback</source> <translation>Automaticky projdt pi pehrvn zbry</translation> </message> <message> <source>Level Strip Frames Width*:</source> <translation type="vanished">ka prouku snmk rovn*:</translation> </message> <message> <source>Capture</source> <translation type="vanished">Zachytvn</translation> </message> <message> <source> Frame Rate:</source> <translation type="vanished"> Snmkovn:</translation> </message> <message> <source>Scan File Format:</source> <translation type="vanished">Formt souboru skenu:</translation> </message> <message> <source>Width:</source> <translation>ka:</translation> </message> <message> <source>DPI:</source> <translation>DPI:</translation> </message> <message> <source>Minimize Savebox after Editing</source> <translation>Zmenit ukldac okno po upraven obrazu</translation> </message> <message> <source>Use the TLV Savebox to Limit Filling Operations</source> <translation>Pout ukldac okno TLV k omezen vyplovacch operac</translation> </message> <message> <source>Paper Thickness:</source> <translation>Tlouka papru:</translation> </message> <message> <source>Enable Version Control *</source> <translation type="vanished">Povolit sprvu verz *</translation> </message> <message> <source>Default Level Type:</source> <translation>Vchoz formt rovn:</translation> </message> <message> <source>Toonz Vector Level</source> <translation>Vektorov rove Toonz</translation> </message> <message> <source>Toonz Raster Level</source> <translation>Rastrov rove Toonz</translation> </message> <message> <source>Raster Level</source> <translation>Rastrov rove</translation> </message> <message> <source>Autocreation:</source> <translation type="vanished">Automatick vytvoen:</translation> </message> <message> <source>Transparency Check</source> <translation>Oven prhlednosti</translation> </message> <message> <source> Paint Color: </source> <translation type="vanished">Barva malby:</translation> </message> <message> <source>Fit to FlipboOk</source> <translation type="vanished">Ukzat ve ve FlipboOk</translation> </message> <message> <source>New Level Format</source> <translation>Formt nov rovn</translation> </message> <message> <source>Assign the new level format name:</source> <translation>Piadit nzev formtu nov rovn:</translation> </message> <message> <source>New Format</source> <translation>Nov formt</translation> </message> <message> <source>Level Settings by File Format:</source> <translation>Nastaven rovn podle souborovho formtu:</translation> </message> <message> <source>Edit</source> <translation>Upravit</translation> </message> <message> <source>Xsheet</source> <translation>Zbr</translation> </message> <message> <source>Visualization</source> <translation>Znzornn</translation> </message> <message> <source>Show Lines with Thickness 0</source> <translation>Ukzat ry s tloukou 0</translation> </message> <message> <source>Next/Previous Step Frames:</source> <translation>Snmky dalho/pedchozho kroku:</translation> </message> <message> <source>Ignore Alpha Channel on Levels in Column 1</source> <translation>Pehlet alfa kanl na rovnch ve sloupci 1</translation> </message> <message> <source>pixel</source> <translation>obrazov bod (pixel)</translation> </message> <message> <source>Minimize Raster Memory Fragmentation*</source> <translation>Zmenit ttn rastrov pamti*</translation> </message> <message> <source>Replace Level after SaveLevelAs command</source> <translation type="vanished">Nahradit rove po pkazu Uloit rove jako</translation> </message> <message> <source>* Changes will take effect the next time you run OpenToonz</source> <translation>* Zmny se projev pi ptm sputn OpenToonz</translation> </message> <message> <source>Move Current Frame by Clicking on Xsheet / Numerical Columns Cell Area</source> <translation>Pi klepnut na zbr nebo editor funkc bude nynj snmek posunut</translation> </message> <message> <source>Enable Actual Pixel View on Scene Editing Mode</source> <translation>V reimu prav vjevu ukzat skutenou velikost obrazu obrazovho bodu (pixelu)</translation> </message> <message> <source>Display Level Name on Each Marker</source> <translation type="vanished">Zobrazit nzev rovn na kad znace</translation> </message> <message> <source>Show Raster Images Darken Blended in Camstand View</source> <translation type="vanished">Zobrazit rastrov obrzky v pohledu na stav kamery (tmav smchno)</translation> </message> <message> <source>Show &quot;ABC&quot; to the Frame Number in Xsheet Cell</source> <translation type="vanished">Ukzat dodatek &quot;ABC&quot; u sla snmku v buce Xsheet</translation> </message> <message> <source>Automatically Remove Scene Number from Loaded Level Name</source> <translation>Odstranit automaticky slo vjevu z nzvu nahran rovn</translation> </message> <message> <source>Multi Layer Style Picker: Switch Levels by Picking</source> <translation>Voli stylu vce rovn: Zmnit rovn zvolenm</translation> </message> <message> <source>Onion Skin ON</source> <translation>Pout cibulov vzhled</translation> </message> <message> <source>Enable Version Control*</source> <translation>Povolit sprvu verz*</translation> </message> <message> <source>Category</source> <translation type="vanished">Skupina</translation> </message> <message> <source>Level Strip Icon Size*:</source> <translation type="vanished">Velikost Ikony*:</translation> </message> <message> <source>x</source> <translation type="vanished">x</translation> </message> <message> <source>Viewer Shrink:</source> <translation>Zmenit prohle:</translation> </message> <message> <source>Chessboard Color 1:</source> <translation>Barva achovnice 1:</translation> </message> <message> <source>Chessboard Color 2:</source> <translation>Barva achovnice 2:</translation> </message> <message> <source>Viewer BG Color:</source> <translation>Barva pozad prohlee:</translation> </message> <message> <source>Preview BG Color:</source> <translation>Barva pozad nhledu:</translation> </message> <message> <source>Viewer Zoom Center:</source> <translation>Sted piblen prohlee:</translation> </message> <message> <source>Language*:</source> <translation>Jazyk*:</translation> </message> <message> <source>Default TLV Caching Behavior</source> <translation type="vanished">Vchoz chovn ukldn do vyrovnvac pamti TLV</translation> </message> <message> <source>Column Icon</source> <translation type="vanished">Ikona sloupce</translation> </message> <message> <source>Height:</source> <translation>Vka:</translation> </message> <message> <source>Default Interpolation:</source> <translation>Vchoz interpolace:</translation> </message> <message> <source>Following Frames Correction:</source> <translation>Barva nsledujcch snmk:</translation> </message> <message> <source>Previous Frames Correction:</source> <translation>Barva pedchzejcch snmk:</translation> </message> <message> <source>Ink Color on White BG:</source> <translation>Barva ry na blm pozad:</translation> </message> <message> <source>Ink Color on Black BG:</source> <translation>Barva ry na ernm pozad:</translation> </message> <message> <source>Paint Color:</source> <translation>Barva malby:</translation> </message> <message> <source>On Demand</source> <translation>Pi poteb</translation> </message> <message> <source>All Icons</source> <translation>Nahrt vechny ikony</translation> </message> <message> <source>All Icons &amp; Images</source> <translation>Nahrt vechny ikony a obrzky</translation> </message> <message> <source>At Once</source> <translation>Ukzat vechny pi nahrn</translation> </message> <message> <source>Pick Every Colors as Different Styles</source> <translation type="vanished">Zvolit kadou barvu jako jednotliv styl</translation> </message> <message> <source>Integrate Similar Colors as One Style</source> <translation type="vanished">Zvolit podobn barvy jako jeden styl</translation> </message> <message> <source>Palette Type on Loading Raster Image as Color Model</source> <translation type="vanished">Typ palety pi nahrn rastrovho obrzku jako barevn model</translation> </message> <message> <source>Mouse Cursor</source> <translation>Poloha ukazovtka myi</translation> </message> <message> <source>Viewer Center</source> <translation>Sted prohlee</translation> </message> <message> <source>Disabled</source> <translation type="vanished">Zakzno</translation> </message> <message> <source>Enabled</source> <translation type="vanished">Povoleno</translation> </message> <message> <source>Use Xsheet as Animation Sheet</source> <translation>Pout zbr jako list animace</translation> </message> <message> <source>Replace Toonz Level after SaveLevelAs command</source> <translation>Nahradit rove Toonz po pkazu Uloit rove jako</translation> </message> <message> <source>Open Flipbook after Rendering</source> <translation>Otevt po zpracovn FlipBook</translation> </message> <message> <source>Show &quot;ABC&quot; Appendix to the Frame Number in Xsheet Cell</source> <translation>Ukzat dodatek &quot;ABC&quot; u sla snmku v buce podzbru</translation> </message> <message> <source>Show Keyframes on Cell Area</source> <translation>Ukzat klov snmky na oblast buky</translation> </message> <message> <source>Display in a New Flipbook Window</source> <translation>Zobrazit v novm okn FlipBooku</translation> </message> <message> <source>Fit to Flipbook</source> <translation>Pizpsobit FlipBooku</translation> </message> <message> <source>Save Automatically</source> <translation>Uloit automaticky</translation> </message> <message> <source>Automatically Save the Scene File</source> <translation>Uloit automaticky soubor s vjevem</translation> </message> <message> <source>Automatically Save Non-Scene Files</source> <translation>Uloit automaticky nevjevov soubory</translation> </message> <message> <source>My Documents/OpenToonz*</source> <translation>Moje dokumenty/OpenToonz*</translation> </message> <message> <source>Desktop/OpenToonz*</source> <translation>Plocha/OpenToonz*</translation> </message> <message> <source>Custom*</source> <translation>Vlastn*</translation> </message> <message> <source>Custom Project Path(s):</source> <translation>Cesta(y) k vlastnmu projektu:</translation> </message> <message> <source>Advanced: Multiple paths can be separated by ** (No Spaces)</source> <translation>Pokroil: Vce cest lze oddlit pomoc ** (dn mezery)</translation> </message> <message> <source>All imported images will use the same DPI</source> <translation>Vechny zaveden obrzky pouij stejn rozlien (DPI)</translation> </message> <message> <source>Import/Export</source> <translation>Zavst/Vyvst</translation> </message> <message> <source>Show Onion Skin During Playback</source> <translation>Ukzat bhem pehrvn cibulov vzhled</translation> </message> <message> <source>Interval (Minutes):</source> <translation>Interval (minuty):</translation> </message> <message> <source>Additional Project Locations</source> <translation>Dodaten umstn projektu</translation> </message> <message> <source>Pixels Only:</source> <translation>Jen pixely:</translation> </message> <message> <source>Rooms*:</source> <translation>Pracovn plochy*:</translation> </message> <message> <source>Please provide the path where FFmpeg is located on your computer.</source> <translation>Poskytnte, prosm, cestu k umstn FFmpeg ve vaem potai.</translation> </message> <message> <source>FFmpeg Path:</source> <translation>Cesta k FFmpeg:</translation> </message> <message> <source>Number of seconds to wait for FFmpeg to complete processing the output:</source> <translation>Poet sekund, po kter se ek na to, a FFmpeg dokon zpracovn vstupu:</translation> </message> <message> <source>Note: FFmpeg begins working once all images have been processed.</source> <translation>Poznmka: FFmpeg zane s prac, jakmile byly vechny obrzky zpracovny.</translation> </message> <message> <source>FFmpeg Timeout:</source> <translation>Doba vykvn pro FFmpeg:</translation> </message> <message> <source>Show Startup Window when OpenToonz Starts</source> <translation>Pi sputn OpenToonz ukzat uvtac okno</translation> </message> <message> <source>Life is too short for Comic Sans</source> <translation>ivot je pro Comic Sans pli krtk</translation> </message> <message> <source>Good luck. You&apos;re on your own from here.</source> <translation>Hodn tst. Odte se spolhejte jen na sebe.</translation> </message> <message> <source>Numpad keys are assigned to the following commands. Is it OK to release these shortcuts?</source> <translation>Klvesy seln klvesnice jsou piazeny k nsledujcm pkazm. Je v podku tyto klvesov zkratky uvolnit?</translation> </message> <message> <source>OK</source> <translation>OK</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Watch File System and Update File Browser Automatically</source> <translation>Sledovat souborov systm a automaticky aktualizovat prohle soubor</translation> </message> <message> <source>Use Camera DPI for All Imported Images</source> <translation>Pout rozlien (DPI) kamery pro vechny zaveden obrzky</translation> </message> <message> <source>New Levels Default to the Current Camera Size</source> <translation>Nov rovn vchoz k velikosti nynj kamery</translation> </message> <message> <source>Use Numpad and Tab keys for Switching Styles</source> <translation>Pout klvesy seln klvesnice a tabultoru na pepnn styl</translation> </message> <message> <source>Keep fill when using &quot;Replace Vectors&quot; command</source> <translation>Zachovat vpln, kdy se pouv pkaz Nahradit vektory</translation> </message> <message> <source>Use higher DPI for calculations - Slower but more accurate</source> <translation>Pout vy rozlien (DPI) na vpoty - pomalej ale pesnj</translation> </message> <message> <source>Tools</source> <translation>Nstroje</translation> </message> <message> <source>Use Arrow Key to Shift Cell Selection</source> <translation>Pout klvesu ipky na posunut vbru buky</translation> </message> <message> <source>Enable to Input Cells without Double Clicking</source> <translation>Povolit vkldn bunk bez dvojitho poklepn</translation> </message> <message> <source>Enable OpenToonz Commands&apos; Shortcut Keys While Renaming Cell</source> <translation>Povolit klvesov zkratky pkaz OpenToonz pi pejmenovvn buky</translation> </message> <message> <source>Show Toolbar in the Xsheet</source> <translation>Ukzat v zbru nstrojov panel</translation> </message> <message> <source>Show Column Numbers in Column Headers</source> <translation>Ukzat sla sloupc v zhlav sloupc</translation> </message> <message> <source>Sync Level Strip Drawing Number Changes with the Xsheet</source> <translation>Sedit zmny v slech kreseb v prouku rovn s podzbrem</translation> </message> <message> <source>Show Current Time Indicator (Timeline Mode only)</source> <translation type="vanished">Ukzat ukazatel nynjho asu (pouze v reimu asov osy)</translation> </message> <message> <source>Project Folder Aliases (+drawings, +scenes, etc.)</source> <translation>Relativn cesty sloky projektu (+drawings, +scenes atd.)</translation> </message> <message> <source>Scene Folder Alias ($scenefolder)</source> <translation>Relativn cesta sloky vjevu ($scenefolder)</translation> </message> <message> <source>Use Project Folder Aliases Only</source> <translation>Pout jen relativn cesty sloky projektu</translation> </message> <message> <source>This option defines which alias to be used if both are possible on coding file path.</source> <translation>Tato volba stanovuje, kter relativn cesta se m pout, pokud jsou ob mon na cest ke kdovn souboru.</translation> </message> <message> <source>Always ask before loading or importing</source> <translation>Vdy se zeptat ped nahrnm nebo zavedenm</translation> </message> <message> <source>Always import the file to the current project</source> <translation>Vdy zavst soubor do nynjho projektu</translation> </message> <message> <source>Always load the file from the current location</source> <translation>Vdy nahrt soubor z nynjho umstn</translation> </message> <message> <source>Strokes</source> <translation>Tahy</translation> </message> <message> <source>Guides</source> <translation>Pomocn ry</translation> </message> <message> <source>All</source> <translation>Ve</translation> </message> <message> <source>Open the dropdown to display all options</source> <translation type="vanished">Otevt rozbalovac nabdku a zobrazit vechny volby</translation> </message> <message> <source>Cycle through the available options</source> <translation type="vanished">Projt dostupn volby</translation> </message> <message> <source>Arrow Markers</source> <translation>Znaky ipek</translation> </message> <message> <source>Animated Guide</source> <translation>Animovan pomocn ra</translation> </message> <message> <source>Path Alias Priority:</source> <translation>Pednost relativn cesty:</translation> </message> <message> <source>Font*:</source> <translation>Psmo*:</translation> </message> <message> <source>Default File Import Behavior:</source> <translation>Vchoz chovn pro zaveden souboru:</translation> </message> <message> <source>Default TLV Caching Behavior:</source> <translation type="vanished">Vchoz chovn pro ukldn do vyrovnvac pamti TLV::</translation> </message> <message> <source>Column Icon:</source> <translation>Ikona sloupce:</translation> </message> <message> <source>Please indicate where you would like exports from Fast Render (MP4) to go.</source> <translation>Uvete, kam chcete, aby lo vyveden z Fast Render (MP4).</translation> </message> <message> <source>Fast Render Path:</source> <translation>Cesta pro rychl zpracovn:</translation> </message> <message> <source>Vector Snapping:</source> <translation>Pichytvn vektoru:</translation> </message> <message> <source>Replace Vectors with Simplified Vectors Command</source> <translation>Nahradit vektory pkazem pro zjednoduen vektory</translation> </message> <message> <source>Dropdown Shortcuts:</source> <translation type="vanished">Rozbalovac seznam klvesovch zkratek:</translation> </message> <message> <source>Vector Guided Style:</source> <translation>Vektorov kreslen s prvodcem:</translation> </message> <message> <source>Show Raster Images Darken Blended</source> <translation>Zobrazit rastrov obrzky (tmav smchno)</translation> </message> <message> <source>Antialiased Region Boundaries</source> <translation>Vyhlazen hranice oblasti</translation> </message> <message> <source>Down Arrow at End of Level Strip Creates a New Frame</source> <translation>ipka dol na konci prouku rovn vytvo nov snmek</translation> </message> <message> <source>Expand Function Editor Header to Match Xsheet Toolbar Height*</source> <translation>Rozbalit zhlav editoru funkc tak, aby odpovdalo vce panelu nstroj s podzbry*</translation> </message> <message> <source>Colors</source> <translation>Barvy</translation> </message> <message> <source>Theme:</source> <translation>Vzhled:</translation> </message> <message> <source>OpenToonz can use FFmpeg for additional file formats. </source> <translation>OpenToonz me pouvat FFmpeg pro dodaten souborov formty. </translation> </message> <message> <source>FFmpeg is not bundled with OpenToonz. </source> <translation>FFmpeg nen zabalen v balku s OpenToonz. </translation> </message> <message> <source>Column Header Layout*:</source> <translation>Rozvren zhlav sloupc*:</translation> </message> <message> <source>Show Cursor Size Outlines</source> <translation>Ukzat obrysy velikosti ukazovtka</translation> </message> <message> <source>Check for the Latest Version of OpenToonz on Launch</source> <translation>Pi spitn se podvat po nejnovj verzi OpenToonz</translation> </message> <message> <source>Choosing this option will set initial location of all file browsers to $scenefolder. Also the initial output destination for new scenes will be set to $scenefolder as well.</source> <translation>Vbrem tto volby nastavte poten umstn vech prohle soubor na $scenefolder. Tak poten cl vstupu pro nov vjevy bude nastaven na $scenefolder.</translation> </message> <message> <source>Graph Editor Opens in Popup</source> <translation>Grafick editor se oteve ve vyskakovacm okn</translation> </message> <message> <source>Spreadsheet Opens in Popup</source> <translation>Tabulka se oteve ve vyskakovacm okn</translation> </message> <message> <source>Toggle Between Graph Editor and Spreadsheet</source> <translation>Pepnout mezi grafickm editorem a tabulkou</translation> </message> <message> <source>Function Editor*:</source> <translation>Editor funkce*:</translation> </message> <message> <source>3DLUT File for [%1]*:</source> <translation type="vanished">Soubor 3DLUT pro [%1]*:</translation> </message> <message> <source>Cursor Options</source> <translation>Volby pro ukazovtko</translation> </message> <message> <source>Basic Cursor Type:</source> <translation>Zkladn typ ukazovtka:</translation> </message> <message> <source>Cursor Style:</source> <translation>Styl ukazovtka:</translation> </message> <message> <source>Small</source> <translation>Mal</translation> </message> <message> <source>Large</source> <translation>Velk</translation> </message> <message> <source>Crosshair</source> <translation>Nitkov k</translation> </message> <message> <source>Default</source> <translation>Vchoz</translation> </message> <message> <source>Left-Handed</source> <translation>Levoruk</translation> </message> <message> <source>Simple</source> <translation>Jednoduch</translation> </message> <message> <source>Classic</source> <translation>Klasick</translation> </message> <message> <source>Classic-revised</source> <translation>Klasick-pepracovno</translation> </message> <message> <source>Compact</source> <translation>Kompaktn</translation> </message> <message> <source>Saving</source> <translation>Ukldn</translation> </message> <message> <source>Use Onion Skin Colors for Reference Drawings of Shift and Trace</source> <translation>Pout barvy cibule pro referenn kresby posunu a stopovn</translation> </message> <message> <source>Tablet Settings</source> <translation type="vanished">Nastaven tabletu</translation> </message> <message> <source>Enable Windows Ink Support* (EXPERIMENTAL)</source> <translation>Povolit podporu Windows Ink* (EXPERIMENTLN)</translation> </message> <message> <source>Constant</source> <translation>Stl</translation> </message> <message> <source>Exponential</source> <translation>Exponenciln</translation> </message> <message> <source>Expression </source> <translation>Vraz </translation> </message> <message> <source>File</source> <translation>Soubor</translation> </message> <message> <source>Style*:</source> <translation>Styl*:</translation> </message> <message> <source>Matte color is used for background when overwriting raster levels with transparent pixels in non alpha-enabled image format.</source> <translation>Barva prhlednosti se pouv pro pozad, kdy se pepisuj rovn rastru prhlednmi obrazovmi body (pixely) v obrzkovch formtech, kde nen povolen kanl alfa.</translation> </message> <message> <source>Matte color:</source> <translation>Barva prhlednosti:</translation> </message> <message> <source>Current Column Color:</source> <translation>Barva nynjho sloupce:</translation> </message> <message> <source>Backup Scene and Animation Levels when Saving</source> <translation>Pi ukldn zlohovat rovn vjev a animac</translation> </message> <message> <source># of backups to keep:</source> <translation># zloh k uchovn:</translation> </message> <message> <source>Enable Autocreation</source> <translation>Povolit automatick vytvoen</translation> </message> <message> <source>Numbering System:</source> <translation>Systm slovn:</translation> </message> <message> <source>Enable Auto-stretch Frame</source> <translation>Povolit automatick roztaen snmku</translation> </message> <message> <source>Enable Creation in Hold Cells</source> <translation>Povolit vytven v pozdrench bukch</translation> </message> <message> <source>Enable Autorenumber</source> <translation>Povolit automatick peslovn</translation> </message> <message> <source>Toolbar Display Behaviour:</source> <translation>Chovn zobrazen pruhu s nstroji:</translation> </message> <message> <source>Show Camera Column</source> <translation>Ukzat sloupec kamery</translation> </message> <message> <source>Level Editor Box Color:</source> <translation>Barva rmu editoru rovn:</translation> </message> <message> <source>Incremental</source> <translation>Prstkov</translation> </message> <message> <source>Enable Tools For Level Only</source> <translation>Povolit nstroje jen pro rove</translation> </message> <message> <source>Show Tools For Level Only</source> <translation>Ukzat nstroje jen pro rove</translation> </message> <message> <source>Touch/Tablet Settings</source> <translation>Nastaven dotykov plochy/tabletu</translation> </message> <message> <source>Enable Touch Gesture Controls</source> <translation>Povolit ovldn dotykovmi gesty</translation> </message> <message> <source>Number of Frames to Play for Short Play:</source> <translation type="vanished">Poet snmk k pehrn pro krtk hran:</translation> </message> <message> <source>Switch to dark icons</source> <translation>Pepnout na tmav ikony</translation> </message> <message> <source>Level Strip Thumbnail Size*:</source> <translation>Velikost nhledu v prouku rovn*:</translation> </message> <message> <source>Color Calibration using 3D Look-up Table</source> <translation>Kalibrace barev pomoc 3D vyhledvac tabulky</translation> </message> <message> <source>3DLUT File for [%1]:</source> <translation>Soubor 3DLUT pro [%1]:</translation> </message> <message> <source>Clear Undo History when Saving Levels</source> <translation>Pi ukldn rovn vymazat historii krok zpt</translation> </message> <message> <source>Use %1 to Resize Brush</source> <translation>Pout %1 pro zmnu velikosti ttce</translation> </message> <message> <source>Switch Tool Temporarily Keypress Length (ms):</source> <translation>Dlka stisknut klvesy pro doasn pepnut nstroje (ms):</translation> </message> <message> <source>[Experimental Feature] </source> <translation>[Pokusn funkce] </translation> </message> <message> <source>Automatically Modify Expression On Moving Referenced Objects</source> <translation>Automaticky upravit vraz pi pesunu odkazovanch pedmt</translation> </message> <message> <source>Edit Additional Style Sheet..</source> <translation>Upravit dodaten stylov list...</translation> </message> <message> <source>Icon Theme*:</source> <translation>Tma ikony*:</translation> </message> <message> <source>Show Icons In Menu*</source> <translation>Ukzat ikony v nabdce*</translation> </message> <message> <source>Use Qt&apos;s Native Windows Ink Support* (CAUTION: This options is for maintenance purpose. Do not activate this option or the tablet won&apos;t work properly.)</source> <translation>Pouijte vlastn podporu inkoustu Windows Qt* (UPOZORNN: Tato volba slou pro ely drby. Nezapnejte tuto volbu, jinak tablet nebude fungovat sprvn.)</translation> </message> <message> <source>30bit Display*</source> <translation type="unfinished"></translation> </message> <message> <source>Automatically Remove Unused Levels From Scene Cast</source> <translation type="unfinished"></translation> </message> <message> <source>Allow Multi-Thread in FFMPEG Rendering (UNSTABLE)</source> <translation type="unfinished"></translation> </message> <message> <source>Rhubarb Path:</source> <translation type="unfinished"></translation> </message> <message> <source>Rhubarb Timeout:</source> <translation type="unfinished"></translation> </message> <message> <source>Default Raster / Scan Level Format:</source> <translation type="unfinished"></translation> </message> <message> <source>Level Name Display:</source> <translation type="unfinished"></translation> </message> <message> <source>Number of Frames to Play for Short Play:</source> <translation type="unfinished"></translation> </message> <message> <source>Minimum</source> <translation type="unfinished"></translation> </message> <message> <source>Display on Each Marker</source> <translation type="unfinished"></translation> </message> <message> <source>Display on Column Header</source> <translation type="unfinished"></translation> </message> <message> <source>Auto Lip-Sync</source> <translation type="unfinished"></translation> </message> <message> <source>Check Availability</source> <translation type="unfinished"></translation> </message> <message> <source>Enabling multi-thread rendering will render significantly faster but a random crash might occur, use at your own risk.</source> <translation type="unfinished"></translation> </message> <message> <source>OpenToonz can use Rhubarb for auto lip-syncing. </source> <translation type="unfinished"></translation> </message> <message> <source>Rhubarb is not bundled with OpenToonz. </source> <translation type="unfinished"></translation> </message> <message> <source>Please provide the path where Rhubarb is located on your computer.</source> <translation type="unfinished"></translation> </message> <message> <source>Number of seconds to wait for Rhubarb to complete processing the audio:</source> <translation type="unfinished"></translation> </message> <message> <source>Show Column Parent&apos;s Color in the Xsheet</source> <translation type="unfinished"></translation> </message> <message> <source>Raster Level Caching Behavior:</source> <translation type="unfinished"></translation> </message> <message> <source>Delete Command Behaviour:</source> <translation type="unfinished"></translation> </message> <message> <source>Paste Cells Behaviour:</source> <translation type="unfinished"></translation> </message> <message> <source>Highlight Line Every Second</source> <translation type="unfinished"></translation> </message> <message> <source>Show Current Time Indicator</source> <translation type="unfinished"></translation> </message> <message> <source>Triangle Top Left</source> <translation type="unfinished"></translation> </message> <message> <source>Triangle Top Right</source> <translation type="unfinished"></translation> </message> <message> <source>Triangle Bottom Left</source> <translation type="unfinished"></translation> </message> <message> <source>Triangle Bottom Right</source> <translation type="unfinished"></translation> </message> <message> <source>Triangle Up</source> <translation type="unfinished"></translation> </message> <message> <source>Triangle Down</source> <translation type="unfinished"></translation> </message> <message> <source>Triangle Left</source> <translation type="unfinished"></translation> </message> <message> <source>Triangle Right</source> <translation type="unfinished"></translation> </message> <message> <source>Clear Cell / Frame</source> <translation type="unfinished"></translation> </message> <message> <source>Remove and Shift Cells / Frames Up</source> <translation type="unfinished"></translation> </message> <message> <source>Insert Paste Whole Data</source> <translation type="unfinished"></translation> </message> <message> <source>Overwrite Paste Cell Numbers</source> <translation type="unfinished"></translation> </message> </context> <context> <name>PreferencesPopup:: FormatProperties</name> <message> <source>Level Settings by File Format</source> <translation type="vanished">Nastaven rovn podle souborovho formtu</translation> </message> <message> <source>Name:</source> <translation type="vanished">Nzev:</translation> </message> <message> <source>Regular Expression:</source> <translation type="vanished">Formt souboruregulrn vrazy):</translation> </message> <message> <source>Priority</source> <translation type="vanished">Pednost</translation> </message> </context> <context> <name>PreferencesPopup::AdditionalStyleEdit</name> <message> <source>Additional Style Sheet</source> <translation>Dodaten stylov list</translation> </message> <message> <source>OK</source> <translation>OK</translation> </message> <message> <source>Apply</source> <translation>Pout</translation> </message> <message> <source>Close</source> <translation>Zavt</translation> </message> </context> <context> <name>PreferencesPopup::Display30bitChecker</name> <message> <source>Check 30bit display availability</source> <translation type="unfinished"></translation> </message> <message> <source>Close</source> <translation type="unfinished">Zavt</translation> </message> <message> <source>If the lower gradient looks smooth and has no banding compared to the upper gradient, 30bit display is available in the current configuration.</source> <translation type="unfinished"></translation> </message> </context> <context> <name>PreferencesPopup::FormatProperties</name> <message> <source>Level Settings by File Format</source> <translation>Nastaven rovn podle souborovho formtu</translation> </message> <message> <source>Name:</source> <translation>Nzev:</translation> </message> <message> <source>Regular Expression:</source> <translation>Formt souboruregulrn vrazy):</translation> </message> <message> <source>Priority</source> <translation>Pednost</translation> </message> </context> <context> <name>Previewer</name> <message> <source>The file name cannot be empty or contain any of the following characters:(new line) \ / : * ? &quot; |</source> <translation type="vanished">Nzev souboru nesm bt przdn nebo obsahovat nsledujc znaky: (nov dek) \ / : * ? &quot; |</translation> </message> <message> <source>File %1 already exists. Do you want to overwrite it?</source> <translation type="vanished">Soubor %1 ji existuje. Chcete jej pepsat?</translation> </message> </context> <context> <name>ProcessingTab</name> <message> <source>Line Processing:</source> <translation>Zpracovn dku:</translation> </message> <message> <source>None</source> <translation>dn</translation> </message> <message> <source>Greyscale</source> <translation>Odstny edi</translation> </message> <message> <source>Color</source> <translation>Barva</translation> </message> <message> <source>Antialias:</source> <translation>Vyhlazovn okraj:</translation> </message> <message> <source>Standard</source> <translation>Standardn</translation> </message> <message> <source>Morphological</source> <translation>MLAA</translation> </message> <message> <source>Autoadjust:</source> <translation>Automatick pizpsoben:</translation> </message> <message> <source>Sharpness:</source> <translation>Ostrost:</translation> </message> <message> <source>Despeckling:</source> <translation>Odstrann poruch:</translation> </message> <message> <source>MLAA Intensity:</source> <translation>Sla MLAA:</translation> </message> </context> <context> <name>ProjectCreatePopup</name> <message> <source>New Project</source> <translation>Nov projekt</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Ok</source> <translation type="vanished">OK</translation> </message> <message> <source>It is not possible to create the %1 project.</source> <translation>Projekt %1 nelze vytvoit.</translation> </message> <message> <source>Project Name cannot be empty or contain any of the following characters: \ / : * ? &quot; &lt; &gt; |</source> <translation>Nzev projektu nesm bt przdn nebo obsahovat nsledujc znaky: \ / : * ? &quot; &lt; &gt; |</translation> </message> <message> <source>Bad project name: &apos;%1&apos; loOks like an absolute file path</source> <translation type="vanished">Neplatn nzev projektu: &apos;%1&apos; vypad, e je to absolutn cesta</translation> </message> <message> <source>Project &apos;%1&apos; already exists</source> <translation>Projekt %1 ji existuje</translation> </message> <message> <source>OK</source> <translation>OK</translation> </message> <message> <source>Bad project name: &apos;%1&apos; looks like an absolute file path</source> <translation>patn nzev projektu: &apos;%1&apos; vypad, e je to absolutn cesta</translation> </message> </context> <context> <name>ProjectPopup</name> <message> <source>Project Name:</source> <translation>Nzev projektu:</translation> </message> <message> <source>Append $scenepath to +drawings</source> <translation>Pidat $scenepath k +drawings</translation> </message> <message> <source>Append $scenepath to +inputs</source> <translation>Pidat $scenepath k +inputs</translation> </message> <message> <source>Append $scenepath to +extras</source> <translation>Pidat $scenepath k +extras</translation> </message> <message> <source>Project:</source> <translation>Projekt:</translation> </message> <message> <source>Standard</source> <translation type="unfinished">Standardn</translation> </message> <message> <source>Custom</source> <translation type="unfinished"></translation> </message> <message> <source>Accept Non-alphabet Suffix</source> <translation type="unfinished"></translation> </message> <message> <source>In the standard mode files with the following file name are handled as sequential images: [LEVEL_NAME][&quot;.&quot;or&quot;_&quot;][FRAME_NUMBER][SUFFIX].[EXTENSION] For [SUFFIX] zero or one occurrences of alphabet (a-z, A-Z) can be used in the standard mode.</source> <translation type="unfinished"></translation> </message> <message> <source>In the custom mode you can customize the file path rules. Note that this mode uses regular expression for file name validation and may slow the operation.</source> <translation type="unfinished"></translation> </message> <message> <source>1</source> <translation type="unfinished"></translation> </message> <message> <source>2</source> <translation type="unfinished"></translation> </message> <message> <source>3</source> <translation type="unfinished"></translation> </message> <message> <source>5</source> <translation type="unfinished"></translation> </message> <message> <source>Unlimited</source> <translation type="unfinished"></translation> </message> <message> <source>Project Folder</source> <translation type="unfinished"></translation> </message> <message> <source>Maximum Letter Count For Suffix</source> <translation type="unfinished"></translation> </message> <message> <source>File Path Rules</source> <translation type="unfinished"></translation> </message> </context> <context> <name>ProjectSettingsPopup</name> <message> <source>Project Settings</source> <translation>Nastaven projektu</translation> </message> </context> <context> <name>PsdSettingsPopup</name> <message> <source>Load PSD File</source> <translation>Nahrt soubor PSD</translation> </message> <message> <source>Name:</source> <translation>Nzev:</translation> </message> <message> <source>Path:</source> <translation>Cesta:</translation> </message> <message> <source>Expose in a Sub-xsheet</source> <translation>Uspodat jako podzbr</translation> </message> <message> <source>Load As:</source> <translation>Nahrt jako:</translation> </message> <message> <source>Group Option</source> <translation>Volby pro skupinu</translation> </message> <message> <source>Ignore groups</source> <translation>Pehlet skupiny</translation> </message> <message> <source>Expose layers in a group as columns in a sub-xsheet</source> <translation>Uspodat rovn ve skupinch jako sloupce v podzbru</translation> </message> <message> <source>Expose layers in a group as frames in a column</source> <translation>Uspodat rovn ve skupinch jako snmky ve sloupci</translation> </message> <message> <source>FileName#LayerName</source> <translation>Nzevsouboru#Nzevvrstvy</translation> </message> <message> <source>LayerName</source> <translation>Nzevvrstvy</translation> </message> <message> <source>Level Name:</source> <translation>Nzev rovn:</translation> </message> <message> <source>Single Image</source> <translation>Jeden obrzek</translation> </message> <message> <source>Frames</source> <translation>Snmky</translation> </message> <message> <source>Columns</source> <translation>Sloupce</translation> </message> <message> <source>Flatten visible document layers into a single image. Layer styles are maintained.</source> <translation>Slouit viditeln vrstvy dokumentu do jednoho obrzku. Styly vrstev jsou zachovny.</translation> </message> <message> <source>Load document layers as frames into a single xsheet column.</source> <translation>Nahrt vrstvy dokumentu jako snmky do jednoho sloupce zbru.</translation> </message> <message> <source>Load document layers as xhseet columns.</source> <translation>Nahrt vrstvy dokumentu jako sloupce zbru.</translation> </message> <message> <source>OK</source> <translation>OK</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> </context> <context> <name>QApplication</name> <message> <source>Quit</source> <translation>Ukonit</translation> </message> <message> <source>New Scene</source> <translation>Nov vjev</translation> </message> <message> <source>Load Scene</source> <translation>Nahrt vjev</translation> </message> </context> <context> <name>QObject</name> <message> <source>No data to paste.</source> <translation>dn data k vloen.</translation> </message> <message> <source>It is not possible to paste the cells: there is a circular reference.</source> <translation>Buky nelze vloit: Je tu kruhov odkaz.</translation> </message> <message> <source>Overwrite</source> <translation>Pepsat</translation> </message> <message> <source>Don&apos;t Overwrite</source> <translation>Nepepisovat</translation> </message> <message> <source>Save</source> <translation>Uloit</translation> </message> <message> <source>Discard</source> <translation>Zahodit</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>The color model palette is different from the destination palette. What do you want to do? </source> <translation type="vanished">Paleta s barevnm modelem se li od clov palety. Co chcete dlat?</translation> </message> <message> <source>Overwrite the destination palette.</source> <translation type="vanished">Pepsat clovou paletu.</translation> </message> <message> <source>Keep the destination palette and apply it to the color model.</source> <translation type="vanished">Ponechat clovou paletu. a pout ji na barevn model.</translation> </message> <message> <source>It is not possible to paste the columns: there is a circular reference.</source> <translation>Sloupce nelze vloit: Je tu kruhov odkaz.</translation> </message> <message> <source>None</source> <translation>dn</translation> </message> <message> <source>Edited</source> <translation>Upraveno</translation> </message> <message> <source>Normal</source> <translation>Normln</translation> </message> <message> <source>To Update</source> <translation>Potebuje aktualizaci</translation> </message> <message> <source>Modified</source> <translation>Zmnno</translation> </message> <message> <source>Locked</source> <translation>Uzamknuto</translation> </message> <message> <source>Unversioned</source> <translation>Bez verze</translation> </message> <message> <source>Missing</source> <translation>Chyb</translation> </message> <message> <source>Duplicate</source> <translation>Zdvojit</translation> </message> <message> <source>Don&apos;t Duplicate</source> <translation>Nezdvojovat</translation> </message> <message numerus="yes"> <source>Deleting %n files. Are you sure?</source> <translation> <numerusform>%n soubor ke smazn. Jste si jist?</numerusform> <numerusform>%n soubory ke smazn. Jste si jist?</numerusform> <numerusform>%n soubor ke smazn. Jste si jist?</numerusform> </translation> </message> <message> <source>Delete</source> <translation>Smazat</translation> </message> <message> <source>You are going to premultiply selected files. The operation cannot be undone: are you sure?</source> <translation>Pednsoben se pouije na vybran soubory. Tento krok nelze vtit zpt: Jste si jist?</translation> </message> <message> <source>Premultiply</source> <translation>Pednsobit [ern-pozad]</translation> </message> <message> <source>%1 has an invalid extension format.</source> <translation>%1 m neplatn formt ppony.</translation> </message> <message> <source>File %1 doesn&apos;t belong to the current project. Do you want to import it or load it from its original location?</source> <translation>Soubor %1 nepat do nynjho projektu. Chcete jej zavst nebo nebo jej nahrt z jeho pvodnho umstn?</translation> </message> <message> <source>Import</source> <translation>Zavst</translation> </message> <message> <source>Load</source> <translation>Nahrt</translation> </message> <message> <source>The camera settings of the scene you are loading as sub-xsheet are different from those of your current scene. What you want to do?</source> <translation>Nastaven kamery vjevu, jej nahrvte jako podzbr, se li od tch pro nynj vjev. Co chcete dlat?</translation> </message> <message> <source>Keep the sub-xsheet original camera settings.</source> <translation>Zachovat pvodn nastaven kamery podzbr.</translation> </message> <message> <source>Apply the current scene camera settings to the sub-xsheet.</source> <translation>Pout nynj nastaven kamery vjevu na podzbr.</translation> </message> <message> <source>%1 has an invalid file extension.</source> <translation>%1 m neplatnou pponu souboru.</translation> </message> <message> <source>%1 is an invalid path.</source> <translation>%1 je neplatn cesta.</translation> </message> <message> <source>Import Scene</source> <translation>Zavst vjev</translation> </message> <message> <source>Change Project</source> <translation>Zmnit projekt</translation> </message> <message> <source>No cleaned up drawings available for the current selection.</source> <translation>Pro nynj vbr nejsou dostupn dn vyitn obrzky (kresby).</translation> </message> <message> <source>No saved drawings available for the current selection.</source> <translation>Pro nynj vbr nejsou dostupn dn uloen obrzky (kresby).</translation> </message> <message> <source>The current selection is invalid.</source> <translation>Nynj vbr je neplatn.</translation> </message> <message> <source>Yes</source> <translation>Ano</translation> </message> <message> <source>No</source> <translation>Ne</translation> </message> <message> <source>System date tampered.</source> <translation type="vanished">Do sytmovho data bylo zashnuto.</translation> </message> <message> <source>No more Undo operations available.</source> <translation>Nejsou dostupn dn dal kroky zpt.</translation> </message> <message> <source>No more Redo operations available.</source> <translation>Nejsou dostupn dn dal kroky znovu.</translation> </message> <message> <source>An update is available for this software. Visit the Web site for more information.</source> <translation>Pro tento program je dostupn aktualizace. Navtivte, prosm, internetov strnky pro vce informac.</translation> </message> <message> <source>Quit</source> <translation type="vanished">Ukonit</translation> </message> <message> <source>Scan</source> <translation>Skenovat</translation> </message> <message> <source>Don&apos;t Scan</source> <translation>Neskenovat</translation> </message> <message> <source>Select an empty cell or a sub-xsheet cell.</source> <translation type="vanished">Vyberte przdnou buku nebo buku pod-Xsheet.</translation> </message> <message> <source>Collapsing columns: what you want to do?</source> <translation>Sbalit sloupce: Co chcete dlat?</translation> </message> <message> <source>Include relevant pegbars in the sub-xsheet as well.</source> <translation type="vanished">Zahrnout rozhodujc pruhy na kolky tak do podzbr.</translation> </message> <message> <source>Include only selected columns in the sub-xsheet.</source> <translation type="vanished">Zahrnout jen vybran sloupce do podzbru.</translation> </message> <message> <source>Exploding Sub-xsheet: what you want to do?</source> <translation>Rozloit podzbr: Co chcete dlat?</translation> </message> <message> <source>Bring relevant pegbars in the main xsheet.</source> <translation type="vanished">Dodat rozhodujc pruhy na kolky do hlavnho zbru.</translation> </message> <message> <source>Bring only columns in the main xsheet.</source> <translation type="vanished">Dodat jen sloupce do hlavnho zbru.</translation> </message> <message> <source>Are you sure you want to override </source> <translation>Jste si jist, e chcete nahradit </translation> </message> <message> <source>Override</source> <translation>Nahradit</translation> </message> <message> <source>It is not possible to track the level: allocation error.</source> <translation>Nelze sledovat rove: Chyba v piazen.</translation> </message> <message> <source>It is not possible to track the level: no region defined.</source> <translation>Nelze sledovat rove: Plochy nejsou stanoveny.</translation> </message> <message> <source>It is not possible to track specified regions: more than 30 regions defined.</source> <translation>Nelze sledovat vymezen plochy: Bylo stanoveno pes 30 ploch.</translation> </message> <message> <source>It is not possible to track specified regions: defined regions are not valid.</source> <translation>Nelze sledovat vymezen plochy: Stanoven plochy jsou neplatn.</translation> </message> <message> <source>It is not possible to track specified regions: some regions are too wide.</source> <translation>Nelze sledovat vymezen plochy: Nkter plochy jsou pli irok.</translation> </message> <message> <source>It is not possible to track specified regions: some regions are too high.</source> <translation>Nelze sledovat vymezen plochy: Nkter plochy jsou pli vysok.</translation> </message> <message> <source>Frame Start Error</source> <translation>Chyba zatku snmku</translation> </message> <message> <source>Frame End Error</source> <translation>Chyba konce snmku</translation> </message> <message> <source>Threshold Distance Error</source> <translation>Chyba v prahov hodnot vzdlenosti</translation> </message> <message> <source>Sensitivity Error</source> <translation>Chyba citlivosti</translation> </message> <message> <source>No Frame Found</source> <translation>Nenalezen dn snmek</translation> </message> <message> <source>It is not possible to track specified regions: the selected level is not valid.</source> <translation>Nelze sledovat vymezen plochy: Vybran rove je neplatn.</translation> </message> <message> <source>It is not possible to track the level: no level selected.</source> <translation>Nelze sledovat vymezen plochy: Nebyla vybrna dn rove.</translation> </message> <message> <source>It is not possible to track specified regions: the level has to be saved first.</source> <translation>Nelze sledovat vymezen plochy: rove je teba nejprve uloit.</translation> </message> <message> <source>It is not possible to track the level: undefinied error.</source> <translation type="vanished">Nelze sledovat rove: Neuren chyba.</translation> </message> <message> <source>Invalid selection: each selected column must contain one single level with increasing frame numbering.</source> <translation>Neplatn vbr: Kad vybran sloupec mus obsahovat jednu rove se stoupajcm slovnm snmk.</translation> </message> <message> <source>Viewer</source> <translation>Prohle</translation> </message> <message> <source>Function Editor</source> <translation>Editor funkce</translation> </message> <message> <source>Scene Cast</source> <translation>Obsazen vjevu</translation> </message> <message> <source>Color Model</source> <translation>Barevn model</translation> </message> <message> <source>File Browser</source> <translation>Prohle soubor</translation> </message> <message> <source>Level: </source> <translation>rove:</translation> </message> <message> <source>Tasks</source> <translation>koly</translation> </message> <message> <source>Schematic</source> <translation>Nrtek</translation> </message> <message> <source>Palette</source> <translation>Paleta</translation> </message> <message> <source>Studio Palette</source> <translation>Studiov paleta</translation> </message> <message> <source>Style Editor</source> <translation>Editor stylu</translation> </message> <message> <source>Tool Options</source> <translation>Volby pro nstroje</translation> </message> <message> <source>LineTest Viewer</source> <translation type="vanished">Prohle rov zkouky</translation> </message> <message> <source>Xsheet</source> <translation>Zbr</translation> </message> <message> <source>FlipBoOk</source> <translation type="vanished">FlipBoOk</translation> </message> <message> <source>Deactivate Onion Skin</source> <translation>Vypnout cibulov vzhled</translation> </message> <message> <source>Limit Onion Skin To Level</source> <translation>Omezit cibulov vzhled na rove</translation> </message> <message> <source>Extend Onion Skin To Scene</source> <translation>Rozit cibulov vzhled na vjev</translation> </message> <message> <source>Activate Onion Skin</source> <translation>Zapnout cibulov vzhled</translation> </message> <message> <source>Are you sure you want to save the Default Settings?</source> <translation>Opravdu chcete pepsat vchoz nastaven?</translation> </message> <message> <source>Choose Folder</source> <translation>Vybrat sloku</translation> </message> <message> <source>Revert: the current scene has been modified. Are you sure you want to revert to previous version?</source> <translation>Vrtit vjev: nynj vjev byl zmnn. Jste si jist, e se chcete vrtit k pedchoz uloen verzi?</translation> </message> <message> <source>Revert</source> <translation>Vrtit</translation> </message> <message> <source>Deleting %1. Are you sure?</source> <translation>Mae se %1. Jste si jist?</translation> </message> <message> <source>The %1 file has been generated</source> <translation>Soubor %1 byl vytvoen</translation> </message> <message> <source>%1: the current scene has been modified. Do you want to save your changes?</source> <translation type="vanished">%1: Nynj zbr byl zmnn. Chcete uloit zmny?</translation> </message> <message> <source>The scene %1 already exists. Do you want to overwrite it?</source> <translation>Vjev %1 ji existuje. Chcete jej pepsat?</translation> </message> <message> <source>The Scene &apos;%1&apos; belongs to project &apos;%2&apos;. What do you want to do?</source> <translation>Vjev &apos;%1&apos; pat k projektu &apos;%2&apos;. Co chcete dlat?</translation> </message> <message> <source>No unused levels</source> <translation>dn nepouvan rovn</translation> </message> <message> <source>Rendered Frames :: From %1 To %2 :: Step %3</source> <translation>Zpracovan snmky:: Od %1 do %2 :: Krok %3</translation> </message> <message> <source>Preview FX :: %1 </source> <translation>Nhled efektu :: %1</translation> </message> <message> <source>Batch Servers</source> <translation>Dvkov servery</translation> </message> <message> <source> Task added to the Batch Render List.</source> <translation>loha byla pidna do seznamu dvkovho zpracovn.</translation> </message> <message> <source> Task added to the Batch Cleanup List.</source> <translation>loha byla pidna do seznamu dvkovho vyitn.</translation> </message> <message> <source>There are no assets to collect</source> <translation>Nejsou dn prvky k sebrn</translation> </message> <message> <source>One asset imported</source> <translation>Byl zaveden jeden prvek</translation> </message> <message> <source>%1 assets imported</source> <translation>%1 prvk bylo zavedeno</translation> </message> <message> <source>Converting %1 images to tlv format...</source> <translation>Pevd se %1 obrzk do formtu TLV...</translation> </message> <message> <source>No scene imported</source> <translation>Nebyl zaveden dn vjev</translation> </message> <message> <source>One scene imported</source> <translation>Byl zaveden jeden vjev</translation> </message> <message> <source>%1 scenes imported</source> <translation>%1 vjev bylo zavedeno</translation> </message> <message> <source>It is not possible to delete lines because no column, cell or level strip frame was selected.</source> <translation>Nelze smazat dn dek, protoe nebyl vybrn dn sloupec, buka nebo snmek prouku rovn.</translation> </message> <message> <source>The rooms will be reset the next time you run Toonz.</source> <translation type="vanished">Pracovn plochy budou obnoveny ve vchozm stavu pi ptm sputn Toonz.</translation> </message> <message> <source>The license validation process was not able to confirm the right to use this software on this computer. Please contact [ support@toonz.com ] for assistance.</source> <translation type="vanished">Licenn schvalovac postup nebyl schopen potvrdit oprvnn k pouvn software na tomto potai. Spojte se, prosm, kvli podpoe s support@toonz.com.</translation> </message> <message> <source>Saving previewed frames....</source> <translation>Ukldaj se snmky s nhledem...</translation> </message> <message> <source>The command cannot be executed because the scene is empty.</source> <translation>Pkaz se nepodailo vykonat, protoe vjev je przdn.</translation> </message> <message> <source>Change project</source> <translation>Zmnit projekt</translation> </message> <message> <source>It is not possible to delete the selection.</source> <translation>Nelze smazat vybranou oblast.</translation> </message> <message> <source>It is not possible to paste vectors in the current cell.</source> <translation>Vektory nelze pidat do nynj buky.</translation> </message> <message> <source>It is not possible to paste data: there is nothing to paste.</source> <translation>Nelze vloit dn data: Nen nic k vloen.</translation> </message> <message> <source>The copied selection cannot be pasted in the current drawing.</source> <translation>Zkoprovan vbr nelze vloit do nynj kresby.</translation> </message> <message> <source>A filename cannot be empty or contain any of the following characters: \ / : * ? &quot; &lt; &gt; |</source> <translation>Nzev souboru nesm bt przdn nebo obsahovat nsledujc znaky: \ / : * ? &quot; &lt; &gt; |</translation> </message> <message> <source>The palette %1 already exists. Do you want to overwrite it?</source> <translation>Paleta %1 ji existuje. Chcete ji pepsat?</translation> </message> <message> <source>Cannot load Color Model in current palette.</source> <translation>barevn model nelze nahrt do nynj palety.</translation> </message> <message> <source>Image DPI</source> <translation>DPI obrzku</translation> </message> <message> <source>Custom DPI</source> <translation>Vlastn DPI</translation> </message> <message> <source>Create project</source> <translation>Vytvoit projekt</translation> </message> <message> <source>There are no frames to scan.</source> <translation>Nejsou dn snmky ke skenovn.</translation> </message> <message> <source>TWAIN is not available.</source> <translation>TWAIN nen dostupn.</translation> </message> <message> <source>Couldn&apos;t save %1</source> <translation>Nepodailo se uloit %1</translation> </message> <message> <source>No level selected!</source> <translation>Nevybrna dn rove!</translation> </message> <message> <source>Exporting level of %1 frames in %2</source> <translation>Vyvd se rove %1 snmk v %2</translation> </message> <message> <source>Warning: file %1 already exists.</source> <translation>Varovn: Soubor %1 ji existuje.</translation> </message> <message> <source>Continue Exporting</source> <translation>Pokraovat ve vyvdn</translation> </message> <message> <source>Stop Exporting</source> <translation>Zastavit vyvdn</translation> </message> <message> <source>The level %1 already exists. Do you want to overwrite it?</source> <translation>rove %1 ji existuje. Chcete ji pepsat?</translation> </message> <message> <source>The soundtrack %1 already exists. Do you want to overwrite it?</source> <translation>Zvukov doprovod %1 ji existuje. Chcete jej pepsat?</translation> </message> <message> <source>File %1 doesn&apos;t loOk like a TOONZ Scene</source> <translation type="vanished">Soubor %1 nevypad jako zbr Toonz</translation> </message> <message> <source>It is not possible to load the scene %1 because it does not belong to any project.</source> <translation>Vjev %1 se nepodailo zavst. Nepat k dnmu projektu..</translation> </message> <message> <source>There were problems loading the scene %1. Some files may be missing.</source> <translation>Pi nahrvn vjevu %1 se vyskytly pote. Nkter soubory nebyly nalezeny.</translation> </message> <message> <source>There were problems loading the scene %1. Some levels have not been loaded because their version is not supported</source> <translation>Pi nahrvn vjevu %1 se vyskytly pote. Nkter rovn nebyly nahrny, protoe jejich verze nen podporovna</translation> </message> <message> <source>It is not possible to load the level %1</source> <translation>rove %1 nelze nahrt</translation> </message> <message> <source>Save the scene first</source> <translation>Nejprve ulote vjev</translation> </message> <message> <source>It is not possible to load the %1 level.</source> <translation>rove %1 nelze nahrt.</translation> </message> <message> <source>The scene %1 doesn&apos;t exist.</source> <translation>Vjev %1 neexistuje.</translation> </message> <message> <source>It is not possible to delete the used level %1.</source> <translation>Pouvanou rove %1 nelze smazat.</translation> </message> <message> <source>The Revert to Last Saved command is not supported for the current selection.</source> <translation type="vanished">Pkaz &quot;Vrtit se k naposledy uloen verzi&quot; nen pro nynj vbr podporovn.</translation> </message> <message> <source>The selected column is empty.</source> <translation>Vybran sloupec je przdn.</translation> </message> <message> <source>Selected cells must be in the same column.</source> <translation>Vybran buky mus bt ve stejnm sloupci.</translation> </message> <message> <source>Match lines can be deleted from Toonz raster levels only</source> <translation>Dlic ry lze smazat jen z rastrovch rovn Toonz</translation> </message> <message> <source>Partially Edited</source> <translation>sten upraveno</translation> </message> <message> <source>Partially Locked</source> <translation>sten uzamknuto</translation> </message> <message> <source>Partially Modified</source> <translation>sten zmnno</translation> </message> <message> <source>Name</source> <translation>Nzev</translation> </message> <message> <source>Path</source> <translation>Cesta</translation> </message> <message> <source>Date Created</source> <translation>Datum vytvoen</translation> </message> <message> <source>Date Modified</source> <translation>Datum posledn zmny</translation> </message> <message> <source>Size</source> <translation>Velikost</translation> </message> <message> <source>Frames</source> <translation>Snmky</translation> </message> <message> <source>Version Control</source> <translation>Sprva verz</translation> </message> <message> <source>Warning: level %1 already exists; overwrite?</source> <translation>Varovn: rove %1 ji existuje. Pepsat?</translation> </message> <message> <source>It is not possible to paste image on the current cell.</source> <translation>Obrzek nelze vloit do nynj buky.</translation> </message> <message> <source>Are you sure you want to delete the selected cleanup color?</source> <translation>Jste si jist, e chcete smazat vybranou barvu vyitn?</translation> </message> <message> <source>Installing %1 again could fix the problem.</source> <translation>Znovunainstalovn %1 by mohlo problm opravit.</translation> </message> <message> <source>It is not possible to apply match lines to a column containing more than one level.</source> <translation>Dlic ry nelze pout na sloupec s vce ne jednou rovn.</translation> </message> <message> <source>It is not possible to use a match lines column containing more than one level.</source> <translation>Dlic ry nelze pout na sloupec s vce ne jednou rovn.</translation> </message> <message> <source>Match lines can be applied to Toonz raster levels only.</source> <translation>Dlic ry lze pout jen na rastrov rovn Toonz.</translation> </message> <message> <source>The style index you specified is not available in the palette of the destination level.</source> <translation>Vmi stanoven slo stylu nen pro paletu clov rovn dostupn.</translation> </message> <message> <source>The style index range you specified is not valid: please separate values with a comma (e.g. 1,2,5) or with a dash (e.g. 4-7 will refer to indexes 4, 5, 6 and 7).</source> <translation>Rozsah vmi stanovench sel stylu je neplatn: Jednotliv hodnoty, prosm, oddlte rkou (nap. 1,2,5) nebo spojovnkem (nap. 4-7 odpovd slm 4,5,6,7).</translation> </message> <message> <source>The frame range you specified is not valid: please separate values with a comma (e.g. 1,2,5) or with a dash (e.g. 4-7 will refer to frames 4, 5, 6 and 7).</source> <translation>Stanoven rozsah snmku je neplatn: Jednotliv hodnoty, prosm, oddlte rkou (nap. 1,2,5) nebo spojovnkem (nap. 4-7 odpovd slm 4,5,6,7).</translation> </message> <message> <source>No drawing is available in the frame range you specified.</source> <translation>Ve stanovenm rozsahu snmku nen dostupn dn kresba.</translation> </message> <message> <source>It is not possible to perform a merging involving more than one level per column.</source> <translation>Sloupce s vce ne jednou rovn na sloupec nelze slouit.</translation> </message> <message> <source>Only raster levels can be merged to a raster level.</source> <translation>Jen rastrov rovn lze slouit do jedn rastrov rovn.</translation> </message> <message> <source>Only vector levels can be merged to a vector level.</source> <translation>Jen vektorov rovn lze slouit do jedn vektorov rovn.</translation> </message> <message> <source>It is possible to merge only Toonz vector levels or standard raster levels.</source> <translation>Je mon slouit jen vektorov rovn Toonz nebo standardn rastrov rovn.</translation> </message> <message> <source>It is not possible to display the file %1: no player associated with its format</source> <translation>Soubor %1 nelze zobrazit: S tmto formtem nen spojen dn pehrva</translation> </message> <message> <source>The specified name is already assigned to the %1 file.</source> <translation>Stanoven nzev je ji piazen souboru %1.</translation> </message> <message> <source>It is not possible to rename the %1 file.</source> <translation>Soubor %1 nelze pejmenovat.</translation> </message> <message> <source>It is not possible to copy the %1 file.</source> <translation>Soubor %1 nelze koprovat.</translation> </message> <message> <source>It is not possible to save the curve.</source> <translation>Kivku nelze uloit.</translation> </message> <message> <source>It is not possible to load the curve.</source> <translation>Kivku nelze nahrt.</translation> </message> <message> <source>It is not possible to export data.</source> <translation>Data nelze vyvst.</translation> </message> <message> <source>Export</source> <translation>Vyvst</translation> </message> <message> <source>LineTest Capture</source> <translation type="vanished">rov zkouka Zachycen</translation> </message> <message> <source>It is not possible to save images in camera stand view.</source> <translation>V pohledu na stav kamery nelze uloit dn obrzky.</translation> </message> <message> <source>The preview images are not ready yet.</source> <translation>Jet nejsou pipraveny dn nhledov obrzky.</translation> </message> <message> <source>A convertion task is in progress! wait until it stops or cancel it</source> <translation type="vanished">Probh loha peveden! Pokejte, dokud se nedokon, nebo ji zrute</translation> </message> <message> <source>Error loading scene %1 :%2</source> <translation>Chyba pi nahrvn vjevu %1: %2</translation> </message> <message> <source>Error loading scene %1</source> <translation>Chyba pi nahrvn vjevu %1</translation> </message> <message> <source>There was an error saving the %1 scene.</source> <translation>Chyba pi ukldn vjevu %1.</translation> </message> <message> <source>It is not possible to export the scene %1 because it does not belong to any project.</source> <translation>Vjev %1 nelze vyvst. Nepat k dnmu projektu.</translation> </message> <message> <source>Continue to All</source> <translation>Pout na ve</translation> </message> <message> <source>The selected paper format is not available for %1.</source> <translation>Vybrn formt papru nen dostupn pro %1.</translation> </message> <message> <source>No TWAIN scanner is available</source> <translation>dn skener TWAIN nen dostupn</translation> </message> <message> <source>No scanner is available</source> <translation>Nen dostupn dn skener</translation> </message> <message> <source>The autocentering failed on the current drawing.</source> <translation>Automatick vystedn pi nynj kresb selhalo.</translation> </message> <message> <source>Some of the selected drawings were already scanned. Do you want to scan them again?</source> <translation>Nkter z vybranch obrzk (kreseb) ji byly skenovny. Chcete je skenovat znovu?</translation> </message> <message> <source>There was an error saving frames for the %1 level.</source> <translation>Pi ukldn snmku pro rove %1 se vyskytla chyba.</translation> </message> <message> <source>It is not possible to create folder : %1</source> <translation>Nelze vytvoit sloku: %1</translation> </message> <message> <source>It is not possible to create a folder.</source> <translation>Nelze vytvoit sloku.</translation> </message> <message> <source>The resolution of the output camera does not fit with the options chosen for the output file format.</source> <translation>Rozlien vstupn kamery neodpovd volbm vybranm pro formt vstupnho souboru.</translation> </message> <message> <source>It is not possible to complete the rendering.</source> <translation>Zpracovn nelze dokonit.</translation> </message> <message> <source>Type</source> <translation>Typ</translation> </message> <message> <source>The cleanup settings file for the %1 level already exists. Do you want to overwrite it?</source> <translation>Soubor s nastavenm vyitn pro rove %1 ji existuje. Chcete jej pepsat?</translation> </message> <message> <source>The merge command is not available for greytones images.</source> <translation>Pkaz ke slouen nen pro obrzky v odstnech edi dostupn.</translation> </message> <message> <source>The cleanup settings for the current level have been modified... Do you want to save your changes?</source> <translation>Nastaven vyitn pro nynj rove byla zmnna... Chcete uloit zmny?</translation> </message> <message> <source>Cleanup Settings</source> <translation>Nastaven vyitn</translation> </message> <message> <source>The scene %1 was created with Toonz and cannot be loaded in LineTest.</source> <translation type="vanished">Zbr %1 byl vytvoen s Toonz a nelze jej nahrt do rov zkouky.</translation> </message> <message> <source>File %1 already exists. Do you want to overwrite it?</source> <translation>Soubor %1 ji existuje. Chcete jej pepsat?</translation> </message> <message> <source>The level you are using has not a valid palette.</source> <translation>Pouvan rove nem dnou platnou paletu.</translation> </message> <message> <source>Message Center</source> <translation>sted zprv</translation> </message> <message> <source>Script Console</source> <translation>Skriptovac konzole</translation> </message> <message> <source>Run script</source> <translation>Spustit skript</translation> </message> <message> <source>Level </source> <translation type="vanished">rove </translation> </message> <message> <source> already exists! Are you sure you want to overwrite it?</source> <translation type="vanished"> ji existuje. Chcete ji pepsat?</translation> </message> <message> <source>It is not possible to merge tlv columns containing more than one level</source> <translation>Nelze slouit sloupce TLV s vce ne jednou rovn</translation> </message> <message> <source>Ok</source> <translation>OK</translation> </message> <message> <source>Selected folders don&apos;t belong to the current project. Do you want to import them or load from their original location?</source> <translation>Vybran sloky nepat k nynjmu projektu. Chcete je zavst nebo nahrt z jejich pvodnho umstn?</translation> </message> <message> <source>Move Cleanup Camera</source> <translation>Posunout kameru vyitn</translation> </message> <message> <source>Scale Cleanup Camera</source> <translation>Zmnit velikost kamery vyitn</translation> </message> <message> <source>Delete and Re-cleanup : The following files will be deleted. </source> <translation>Smazat a vyistit znovu: Nsledujc soubory budou smazny. </translation> </message> <message> <source> Are you sure ?</source> <translation> Jste si jist?</translation> </message> <message> <source>Replace with copied palette</source> <translation>Nahradit zkoprovanou paletou</translation> </message> <message> <source>Keep original palette</source> <translation>Zachovat pvodn paletu</translation> </message> <message> <source>Insert Frame at Frame %1</source> <translation>Vloit snmek pi snmku %1</translation> </message> <message> <source>Remove Frame at Frame %1</source> <translation>Odstranit snmek pi snmku %1</translation> </message> <message> <source>Insert Multiple Keys at Frame %1</source> <translation>Vloit vce kl pi snmku %1</translation> </message> <message> <source>Remove Multiple Keys at Frame %1</source> <translation>Odstranit vce kl pi snmku %1</translation> </message> <message> <source>Set Keyframe : %1</source> <translation>Nastavit klov snmek: %1</translation> </message> <message> <source>Close SubXsheet</source> <translation>Zavt podzbr</translation> </message> <message> <source>Select a sub-xsheet cell.</source> <translation>Vybrat buku podzbr.</translation> </message> <message> <source>Collapse</source> <translation>Sbalit</translation> </message> <message> <source>Collapse (Fx)</source> <translation>Sbalit podzbr (nrtek efektu)</translation> </message> <message> <source>Explode</source> <translation>Rozbalit</translation> </message> <message> <source>Delete Level : %1</source> <translation>Smazat rove: %1</translation> </message> <message> <source>Revert To %1 : Level %2</source> <translation>Vrtit k %1: rove %2</translation> </message> <message> <source>Load Level %1</source> <translation>Nahrt rove %1</translation> </message> <message> <source>Load and Replace Level %1</source> <translation>Nahrt a nahradit rove %1</translation> </message> <message> <source>Expose Level %1</source> <translation>Ukzat rove %1</translation> </message> <message> <source> Following file(s) are modified. </source> <translation type="vanished">Nsledujc soubor(y) jsou zmnny. </translation> </message> <message> <source> Are you sure to </source> <translation type="vanished"> Jste si jist </translation> </message> <message> <source> anyway ?</source> <translation type="vanished"> pesto?</translation> </message> <message> <source>Overwrite Palette</source> <translation>Pepsat paletu</translation> </message> <message> <source>Don&apos;t Overwrite Palette</source> <translation>Paletu nepepisovat</translation> </message> <message> <source>No Current Level</source> <translation>dn nynj rove</translation> </message> <message> <source>Toonz cannot Save this Level</source> <translation type="vanished">Tuto rove nelze uloit</translation> </message> <message> <source>No Current Scene</source> <translation>dn nynj vjev</translation> </message> <message> <source>Save level Failed</source> <translation>rove se nepodailo uloit</translation> </message> <message> <source>Paste : Level %1 : Frame </source> <translation>Vloit: rove %1 : Snmek </translation> </message> <message> <source>Delete Frames : Level %1 : Frame </source> <translation>Smazat snmky: rove %1 : Snmek </translation> </message> <message> <source>Cut Frames : Level %1 : Frame </source> <translation>Vystihnout snmky: rove %1 : Snmek </translation> </message> <message> <source>Add Frames : Level %1 : Frame </source> <translation>Pidat snmky: rove %1 : Snmek </translation> </message> <message> <source>Renumber : Level %1</source> <translation>Peslovat: rove %1</translation> </message> <message> <source>Insert : Level %1</source> <translation>Vloit snmky: rove %1</translation> </message> <message> <source>Reverse : Level %1</source> <translation>Obrtit poad: rove %1</translation> </message> <message> <source>Swing : Level %1</source> <translation>Swing: rove %1</translation> </message> <message> <source>Step %1 : Level %2</source> <translation>Krok %1: rove %2</translation> </message> <message> <source>Each %1 : Level %2</source> <translation>Kad %1. krok: rove %2</translation> </message> <message> <source>Duplicate : Level %1</source> <translation>Zdvojit: rove %1</translation> </message> <message> <source>Move Level to Scene : Level %1</source> <translation>Posunout rove k vjevu: rove %1</translation> </message> <message> <source>Inbeteween : Level %1, </source> <translation type="vanished">Mezi to: rove %1</translation> </message> <message> <source>Paste Column : </source> <translation>Vloit sloupec: </translation> </message> <message> <source>Delete Column : </source> <translation>Smazat sloupec: </translation> </message> <message> <source>Insert Column : </source> <translation>Vloit sloupec: </translation> </message> <message> <source>Resequence : Col%1</source> <translation>Zmnit poad snmk podzbru: Col%1</translation> </message> <message> <source>Clone Sub-xsheet : Col%1</source> <translation>Klonovat podzbr: Col%1</translation> </message> <message> <source>Clear Cells : Col%1</source> <translation>Vyprzdnit buky: Col%1</translation> </message> <message> <source>Reverse</source> <translation>Obrtit</translation> </message> <message> <source>Swing</source> <translation>Swing</translation> </message> <message> <source>Autoexpose</source> <translation>Ukzat automaticky</translation> </message> <message> <source>Random</source> <translation>Nhodn</translation> </message> <message> <source>Step %1</source> <translation>Krok %1</translation> </message> <message> <source>Each %1</source> <translation>Kad %1. krok</translation> </message> <message> <source>Reframe to %1&apos;s</source> <translation>Pesnmkovat na %1</translation> </message> <message> <source>Roll Up</source> <translation>Vyhrnout</translation> </message> <message> <source>Roll Down</source> <translation>Shrnout</translation> </message> <message> <source>Clone Level : %1 &gt; %2</source> <translation>Zdvojit rove: %1 &gt; %2</translation> </message> <message> <source>Clone Levels : </source> <translation>Zdvojit rovn: </translation> </message> <message> <source>Time Stretch</source> <translation>Prothnut asu</translation> </message> <message> <source>Palette Gizmo</source> <translation type="obsolete">Palette bearbeiten</translation> </message> <message> <source>Create Level %1 at Column %2</source> <translation>Vytvoit rove %1 pi sloupci %2</translation> </message> <message> <source>Do you want to expose the renamed level ?</source> <translation>Chcete ukzat pejmenovanou rove?</translation> </message> <message> <source>Expose</source> <translation>Ukzat</translation> </message> <message> <source>Don&apos;t expose</source> <translation>Neukazovat</translation> </message> <message> <source>Paste Key Frames</source> <translation>Vloit klov snmky</translation> </message> <message> <source>Delete Key Frames</source> <translation>Smazat klov snmky</translation> </message> <message> <source>Copy File</source> <translation>Koprovat soubor</translation> </message> <message> <source>Paste File : </source> <translation>Vloit soubor: </translation> </message> <message> <source>Duplicate File : </source> <translation>Zdvojit soubor: </translation> </message> <message> <source>Paste Cells</source> <translation>Vloit buky</translation> </message> <message> <source>Delete Cells</source> <translation>Smazat buky</translation> </message> <message> <source>Cut Cells</source> <translation>Vyjmout buky</translation> </message> <message> <source>Insert Cells</source> <translation>Vloit przdnt buky</translation> </message> <message> <source>Paste (StrOkes)</source> <translation type="vanished">Vloit (tah)</translation> </message> <message> <source>Paste</source> <translation>Vloit</translation> </message> <message> <source>Paste (Raster)</source> <translation>Vloit (rastr)</translation> </message> <message> <source>Overwrite Paste Cells</source> <translation>Pepsat vloen buky</translation> </message> <message> <source>Cannot paste data Nothing to paste</source> <translation>Nelze vloit data Ve schrnce nejsou dn data k vloen</translation> </message> <message> <source>Modify Play Range : %1 - %2</source> <translation>Zmnit rozsah pehrvn: %1 - %2</translation> </message> <message> <source>Modify Play Range : %1 - %2 &gt; %3 - %4</source> <translation>Zmnit rozsah pehrvn: %1 - %2 &gt; %3 - %4</translation> </message> <message> <source>Use Level Extender</source> <translation>Pout chytrou kartu</translation> </message> <message> <source>Modify Sound Level</source> <translation>Upravit zvukovou rove</translation> </message> <message> <source>Set Keyframe : %1 at Frame %2</source> <translation type="vanished">nastavit klov snmek: %1 snmek %2</translation> </message> <message> <source>Move Columns</source> <translation>Posunout sloupce</translation> </message> <message> <source>Change Pegbar</source> <translation>Zmnit pruh na kolky</translation> </message> <message> <source>Rename Cell at Column %1 Frame %2</source> <translation>Pejmenovat buku pi sloupci %1 snmek %2</translation> </message> <message> <source>Move Level</source> <translation>Posunout rove</translation> </message> <message> <source>Combo Viewer</source> <translation>Prohleka</translation> </message> <message> <source>Cleeanup Settings</source> <translation type="vanished">Nastaven vyitn</translation> </message> <message> <source>Move Level to Cast Folder</source> <translation>Posunout rove do sloky s obsazenm (k polokm zbr)</translation> </message> <message> <source>Merge Raster Levels</source> <translation>Slouit rastrov rovn</translation> </message> <message> <source>Delete Matchline : Level %1</source> <translation>Smazat dlic ry: rove %1</translation> </message> <message> <source>Apply Matchline : Column%1 &lt; Column%2</source> <translation>Pout dlic ry: Sloupec %1 &lt; Sloupec %2</translation> </message> <message> <source>Palette Gizmo %1</source> <translation>Upravit paletu %1</translation> </message> <message> <source>Warning</source> <translation>Varovn</translation> </message> <message> <source>Palette is locked.</source> <translation>Paleta je uzamknuta.</translation> </message> <message> <source>History</source> <translation>Historie</translation> </message> <message> <source>Move Keyframe</source> <translation>Posunout klov snmek</translation> </message> <message> <source>OK</source> <translation>OK</translation> </message> <message> <source>File %1 doesn&apos;t look like a TOONZ Scene</source> <translation>Soubor %1 nevypad jako vjev Toonz</translation> </message> <message> <source>Inbetween : Level %1, </source> <translation>Mezilehl snmky: rove %1, </translation> </message> <message> <source>FlipBook</source> <translation>FlipBoOk</translation> </message> <message> <source>It is not possible to track the level: undefined error.</source> <translation>Nelze sledovat rove: Neuren chyba.</translation> </message> <message> <source>Paste (Strokes)</source> <translation>Vloit (tahy)</translation> </message> <message> <source>Move keyframe handle : %1 Handle of the keyframe %2</source> <translation>Pesunout chop klovho snmku: %1 chop klovho snmku %2</translation> </message> <message> <source>Toggle cycle of %1</source> <translation>Pepnout kolobh %1</translation> </message> <message> <source>[Drag] to move position</source> <translation>[Thnout] pro posunut polohy</translation> </message> <message> <source>----Separator----</source> <translation>----Oddlova----</translation> </message> <message> <source>[Drag] to move position, [Double Click] to edit title</source> <translation>[Thnout] pro posunut polohy, [Dvakrt klepnout] pro upraven nzvu</translation> </message> <message> <source>Incorrect file</source> <translation>Nesprvn soubor</translation> </message> <message> <source>[Drag&amp;Drop] to copy separator to menu bar</source> <translation type="vanished">[Thnout a upustit] pro koprovn oddlovae do pruhu s nabdkou</translation> </message> <message> <source>[Drag&amp;Drop] to copy command to menu bar</source> <translation type="vanished">[Thnout a upustit] pro koprovn pkazu do pruhu s nabdkou</translation> </message> <message> <source>Cannot open menubar settings template file. Re-installing Toonz will solve this problem.</source> <translation>Nelze otevt soubor pedlohy s nastavenm pruhu s nabdkou. Tuto pot vye peinstalovn Toonz.</translation> </message> <message> <source>Visit Web Site</source> <translation>Navtvit internetovou strnku</translation> </message> <message> <source>path_to_url <translation>path_to_url </message> <message> <source>Change current drawing %1</source> <translation>Zmnit nynj kresbu %1</translation> </message> <message> <source>%1: the current scene has been modified. What would you like to do?</source> <translation>%1: Nynj vjev byl zmnn. Co chcete udlat?</translation> </message> <message> <source>Save All</source> <translation>Uloit ve</translation> </message> <message> <source>Save Scene Only</source> <translation>Uloit jen vjev</translation> </message> <message> <source>Discard Changes</source> <translation>Zahodit zmny</translation> </message> <message> <source> The following file(s) have been modified. </source> <translation>Nsledujc soubor(y) byly zmnny. </translation> </message> <message> <source> What would you like to do? </source> <translation> Co chcete dlat? </translation> </message> <message> <source>Save Changes</source> <translation>Uloit zmny</translation> </message> <message> <source> Anyway</source> <translation> Pesto</translation> </message> <message> <source>This scene is incompatible with pixels only mode of the current OpenToonz version. What would you like to do?</source> <translation>Tento vjev je nesluiteln s reimem jen obrazov body (pixely) nynj verze OpenToonz. Co chcete dlat?</translation> </message> <message> <source>Turn off pixels only mode</source> <translation>Vypnout reim jen obrazov body (pixely)</translation> </message> <message> <source>Keep pixels only mode on and resize the scene</source> <translation>Zachovat reim jen obrazov body (pixely) a zmnit velikost vjevu</translation> </message> <message> <source>Hide Zero Thickness Lines</source> <translation>Skrt ry o nulov tlouce</translation> </message> <message> <source>Show Zero Thickness Lines</source> <translation>Ukzat ry o nulov tlouce</translation> </message> <message> <source>&lt;custom&gt;</source> <translation>&lt;vlastn&gt;</translation> </message> <message> <source>The file name already exists. Do you want to overwrite it?</source> <translation>Nzev souboru ji existuje. Chcete jej pepsat?</translation> </message> <message> <source>Deleting &quot;%1&quot;. Are you sure?</source> <translation>Mae se &quot;%1&quot; Jste si jist?</translation> </message> <message> <source>Auto Input Cell Numbers : %1</source> <translation>Automaticky vloit sla bunk: %1</translation> </message> <message> <source>Insert</source> <translation>Vloit</translation> </message> <message> <source>FFmpeg not found, please set the location in the Preferences and restart.</source> <translation>FFmpeg nenalezen. Nastavte, prosm, jeho umstn v Nastaven a program spuste znovu.</translation> </message> <message> <source>New Note Level</source> <translation>Nov poznmkov rove</translation> </message> <message> <source>Always do this action.</source> <translation>Vdy provst tuto innost.</translation> </message> <message> <source>The following level(s) use path with $scenefolder alias. </source> <translation>Nsledujc rove(rovn) pouvaj relativn cestu $scenefolder. </translation> </message> <message> <source> They will not be opened properly when you load the scene next time. What do you want to do?</source> <translation> Nebudou oteveny dn, a pt vjev nahrajete. Co chcete dlat?</translation> </message> <message> <source>Copy the levels to correspondent paths</source> <translation>Koprovat rovn do odpovdajcch cest</translation> </message> <message> <source>Decode all $scenefolder aliases</source> <translation>Dekdovat vechny relativn cesty $scenefolder</translation> </message> <message> <source>Save the scene only</source> <translation>Uloit jen vjev</translation> </message> <message> <source>Overwrite for All</source> <translation>Pepsat pro ve</translation> </message> <message> <source>Don&apos;t Overwrite for All</source> <translation>Nepepsat pro ve</translation> </message> <message> <source>Failed to overwrite %1</source> <translation>Nepodailo se pepsat %1</translation> </message> <message> <source>Reframe to %1&apos;s with %2 blanks</source> <translation>Pesnmkovat na %1 s %2 przdnmi</translation> </message> <message> <source>The selected scene could not be found.</source> <translation>Vybran vjev se nepodailo najt.</translation> </message> <message> <source>Apply Lip Sync Data</source> <translation>Pout data synchronizace okraje</translation> </message> <message> <source>Layer name</source> <translation type="vanished">Nzev vrstvy</translation> </message> <message> <source>Paste Numbers</source> <translation>Vloit sla</translation> </message> <message> <source>It is not possible to paste the cells: Some column is locked or column type is not match.</source> <translation>Nelze vloit buky. Nkter sloupec je uzamknut nebo neodpovd typ sloupce.</translation> </message> <message> <source>This command only works on vector cells.</source> <translation>Tento pkaz pracuje jen na vektorov rovn.</translation> </message> <message> <source>Please select only one column for this command.</source> <translation>Vyberte, prosm, pro tento pkaz jen jeden sloupec.</translation> </message> <message> <source>All selected cells must belong to the same level.</source> <translation>Vechny vybran buky mus patit do stejn rovn.</translation> </message> <message> <source>Simplify Vectors : Level %1</source> <translation>Zjednoduit vektory: rove %1</translation> </message> <message> <source>Change Text at Column %1 Frame %2</source> <translation>Zmnit text pi sloupci %1 snmek %2</translation> </message> <message> <source>Stage Schematic</source> <translation>Nrtek vjevu</translation> </message> <message> <source>Fx Schematic</source> <translation>Nrtek efektu</translation> </message> <message> <source>Command Bar</source> <translation>Pkazov dek</translation> </message> <message> <source>Skipping frame.</source> <translation>Peskakuje se snmek.</translation> </message> <message> <source>Cannot Read XML File</source> <translation>Nelze pest soubor XML</translation> </message> <message> <source>Apply</source> <translation>Pout</translation> </message> <message> <source>The scene is not yet saved and the output destination is set to $scenefolder. Save the scene first.</source> <translation>Vjev jet nen uloen a vstupn cl je nastaven na $scenefolder. Nejprve vjev ulote.</translation> </message> <message> <source>A prior save of Scene &apos;%1&apos; was critically interupted. A partial save file was generated and changes may be manually salvaged from &apos;%2&apos;. Do you wish to continue loading the last good save or stop and try to salvage the prior save?</source> <translation type="vanished">Pedchoz uloen vjevu &apos;%1&apos; bylo kriticky perueno. Byl vytvoen sten soubor s uloenm a zmny mohou bt run zachrnny &apos;%2&apos;. Chcete pokraovat v nahrvn poslednho dobrho uloen nebo zastavit a pokusit se zachrnit pedchoz uloen?</translation> </message> <message> <source>Continue</source> <translation>Pokraovat</translation> </message> <message> <source>File &apos;%1&apos; will reload level &apos;%2&apos; as a duplicate column in the xsheet. Allow duplicate?</source> <translation>Soubor &apos;%1&apos; znovunahraje rove &apos;%2&apos; jako zdvojen sloupec v zbru. Povolit kopii?</translation> </message> <message> <source>Allow</source> <translation>Povolit</translation> </message> <message> <source>Allow All Dups</source> <translation>Povolit vechny kopie</translation> </message> <message> <source>No to All Dups</source> <translation>Ne vechny kopie</translation> </message> <message> <source>Hide cursor size outline</source> <translation>Skrt obrys velikosti ukazovtka</translation> </message> <message> <source>Show cursor size outline</source> <translation>Ukzat obrys velikosti ukazovtka</translation> </message> <message> <source>Fill In Empty Cells</source> <translation>Vyplnit przdn buky</translation> </message> <message> <source>Check for the latest version on launch.</source> <translation>Pi sputn hledat posledn verzi.</translation> </message> <message> <source>Nothing to replace: no cells or columns selected.</source> <translation>Nen nic k nahrazenn: Nebyly vybrny ani buky ani sloupce.</translation> </message> <message> <source>Couldn&apos;t load %1</source> <translation>Nepodailo se nahrt %1</translation> </message> <message> <source>Apply Antialias</source> <translation>Pout vyhlazovn okraj</translation> </message> <message> <source>The Reload command is not supported for the current selection.</source> <translation>Pkaz k znovunahrn nen pro nynj vbr podporovn.</translation> </message> <message> <source>Error</source> <translation>Chyba</translation> </message> <message> <source>No Palette loaded.</source> <translation>Nebyla nahrna dn paleta.</translation> </message> <message> <source>A separation task is in progress! wait until it stops or cancel it</source> <translation>Probh loha oddlen! Pokejte, dokud se nedokon, nebo ji zrute</translation> </message> <message> <source>Duplicate Frame in XSheet</source> <translation>Zdvojit snmek v zbru</translation> </message> <message> <source>Please select only one layer to duplicate a frame.</source> <translation type="vanished">Vyberte, prosm, jen jednu rove pro zdvojen snmku.</translation> </message> <message> <source>Please select only one frame to duplicate.</source> <translation type="vanished">Vyberte, prosm, jen jeden snmek ke zdvojen.</translation> </message> <message> <source>Timeline</source> <translation>asov osa</translation> </message> <message> <source>The qualifier %1 is not a valid key name. Skipping.</source> <translation>Kvalifiktor %1 nen platnm nzvem kle. Peskakuje se.</translation> </message> <message> <source>Clear All Onion Skin Markers</source> <translation>Vyprzdnit vechny znaky cibulovho vzhledu</translation> </message> <message> <source>Clear All Fixed Onion Skin Markers</source> <translation>Vyprzdnit vechny pevn znaky cibulovho vzhledu</translation> </message> <message> <source>Clear All Relative Onion Skin Markers</source> <translation>Vyprzdnit vechny relativn znaky cibulovho vzhledu</translation> </message> <message> <source>Always Overwrite in This Scene</source> <translation>Vdy pepsat v tomto vjevu</translation> </message> <message> <source> + %1 more level(s) </source> <translation> + %1 dal(ch) rove(n) </translation> </message> <message> <source>Fx Settings</source> <translation>Nastaven efektu</translation> </message> <message> <source>Save Curve</source> <translation>Uloit kivku</translation> </message> <message> <source>Load Curve</source> <translation>Nahrt kivku (parametr efektu)</translation> </message> <message> <source>Export Curve</source> <translation>Vyvst kivku</translation> </message> <message> <source>Rendering frame %1 / %2</source> <comment>RenderListener</comment> <translation>Zpracovv se %1 / %2</translation> </message> <message> <source>Precomputing %1 Frames</source> <comment>RenderListener</comment> <translation>Pedvpoet %1 snmk</translation> </message> <message> <source> of %1</source> <comment>RenderListener</comment> <translation> z %1</translation> </message> <message> <source>Finalizing render, please wait.</source> <comment>RenderListener</comment> <translation>Dokonuje se zpracovn. Pokejte, prosm.</translation> </message> <message> <source>Aborting render...</source> <comment>RenderListener</comment> <translation>Ru se zpracovn...</translation> </message> <message> <source>Building Schematic...</source> <comment>RenderCommand</comment> <translation>Sestavuje se nrtek...</translation> </message> <message> <source>column </source> <comment>MultimediaProgressBar label (mode name)</comment> <translation>Sloupec </translation> </message> <message> <source>layer </source> <comment>MultimediaProgressBar label (mode name)</comment> <translation>Vrstva.</translation> </message> <message> <source>Rendering %1%2, frame %3 / %4</source> <comment>MultimediaProgressBar label</comment> <translation>Zpracovv se %1%2, snmek %3 / %4</translation> </message> <message> <source>Rendering %1 frames of %2</source> <comment>MultimediaProgressBar</comment> <translation>Zpracovv se %1 snmk z %2</translation> </message> <message> <source>%1 of %2</source> <comment>MultimediaProgressBar - [totalframe] of [path]</comment> <translation>%1 z %2</translation> </message> <message> <source>Aborting render...</source> <comment>MultimediaProgressBar</comment> <translation>Ru se zpracovn...</translation> </message> <message> <source>It is not possible to write the output: the file</source> <comment>RenderCommand</comment> <translation>Nen mon zapsat vstup: soubor</translation> </message> <message> <source>s are read only.</source> <comment>RenderCommand</comment> <translation>(y) jsou jen pro ten.</translation> </message> <message> <source> is read only.</source> <comment>RenderCommand</comment> <translation> je jen pro ten..</translation> </message> <message> <source>Save Cleanup Settings</source> <translation>Uloit nastaven vyitn</translation> </message> <message> <source>Load Cleanup Settings</source> <translation>Nahrt nastaven vyitn</translation> </message> <message> <source>It is not possible to find the %1 level.</source> <comment>FileData</comment> <translation>rove %1 nelze najt.</translation> </message> <message> <source>There was an error copying %1</source> <comment>FileData</comment> <translation>Pi koprovn %1 se vyskytla chyba</translation> </message> <message> <source>Clone Level</source> <comment>CloneLevelUndo::LevelNamePopup</comment> <translation>Zdvojit rove</translation> </message> <message> <source>Level Name:</source> <comment>CloneLevelUndo::LevelNamePopup</comment> <translation>Nzev rovn:</translation> </message> <message> <source>Collecting assets...</source> <translation>Sbr se materil...</translation> </message> <message> <source>Abort</source> <translation>Zruit</translation> </message> <message> <source>Importing scenes...</source> <translation>Zavd se vjevy...</translation> </message> <message> <source>It is not possible to execute the merge column command because no column was selected.</source> <translation>Sloupce nelze slouit, protoe nebyly vybrny dn sloupce.</translation> </message> <message> <source>It is not possible to execute the merge column command because only one columns is selected.</source> <translation>Sloupce nelze slouit, protoe byl vybrn jen jeden sloupec.</translation> </message> <message> <source>It is not possible to apply the match lines because no column was selected.</source> <translation>Nen mon pout dlic ry, protoe nebyl vybrn dn sloupec.</translation> </message> <message> <source>It is not possible to apply the match lines because two columns have to be selected.</source> <translation>Je mon pout dlic ry, protoe mus bt vybrny dva sloupce.</translation> </message> <message> <source>It is not possible to merge tlv columns because no column was selected.</source> <translation>Sloupce TLV nelze slouit, protoe nebyly vybrny dn sloupce.</translation> </message> <message> <source>It is not possible to merge tlv columns because at least two columns have to be selected.</source> <translation>Sloupce TLV nelze slouit, protoe mus bt vybrny alespo dva sloupce.</translation> </message> <message> <source>Merging Tlv Levels...</source> <translation>Sluuj se rovn TLV...</translation> </message> <message> <source>Save Previewed Images</source> <translation>Uloit snmky s nhledem</translation> </message> <message> <source>The file name cannot be empty or contain any of the following characters:(new line) \ / : * ? &quot; |</source> <translation>Nzev souboru nesm bt przdn nebo obsahovat nsledujc znaky: (nov dek) \ / : * ? &quot; |</translation> </message> <message> <source>Unsopporter raster format, cannot save</source> <translation>Nepodporovan rastrov formt. Nelze uloit</translation> </message> <message> <source>Cannot create %1 : %2</source> <comment>Previewer warning %1:path %2:message</comment> <translation>Nelze vytvoit %1: %2</translation> </message> <message> <source>Cannot create %1</source> <comment>Previewer warning %1:path</comment> <translation>Nelze vytvoit %1</translation> </message> <message> <source>Saved %1 frames out of %2 in %3</source> <comment>Previewer %1:savedframes %2:framecount %3:filepath</comment> <translation>%1 snmk z %2 bylo uloeno v %3</translation> </message> <message> <source>Canceled! </source> <comment>Previewer</comment> <translation>Zrueno! </translation> </message> <message> <source>No frame to save!</source> <translation>dn snmek k uloen!</translation> </message> <message> <source>Already saving!</source> <translation>Ji se ukld!</translation> </message> <message> <source>Warning!</source> <comment>OverwriteDialog</comment> <translation>Varovn!</translation> </message> <message> <source>Overwrite</source> <comment>OverwriteDialog</comment> <translation>Pepsat</translation> </message> <message> <source>Skip</source> <comment>OverwriteDialog</comment> <translation>Peskoit</translation> </message> <message> <source>File &quot;%1&quot; already exists. Do you want to overwrite it?</source> <comment>OverwriteDialog</comment> <translation>Soubor %1 ji existuje. Chcete jej pepsat?</translation> </message> <message> <source>%1 does not exist.</source> <translation>%1 neexistuje.</translation> </message> <message> <source>The file %1 already exists. Do you want to overwrite it?</source> <translation type="vanished">Soubor %1 ji existuje. Chcete jej pepsat?</translation> </message> <message> <source>The file %1 has been exported successfully.</source> <translation>Soubor %1 byl vyveden spn.</translation> </message> <message> <source>Open containing folder</source> <translation>Otevt obsahujc sloku</translation> </message> <message> <source>Please enable &quot;Show Keyframes on Cell Area&quot; to show or hide the camera column.</source> <translation>Povolte, prosm, Ukzat klov snmky v oblasti buky pro ukzn nebo skryt sloupce kamery.</translation> </message> <message> <source>The chosen folder path does not exist. Do you want to create it?</source> <translation>Cesta k vybran sloce nexistuje. Chcete ji vytvoit?</translation> </message> <message> <source>Create</source> <translation>Vytvoit</translation> </message> <message> <source>Edit Level Settings : %1</source> <translation>Upravit nastaven rovn: %1</translation> </message> <message> <source>Shift Key Frames Down</source> <translation>Posunout klov snmky dol</translation> </message> <message> <source>Shift Key Frames Up</source> <translation>Posunout klov snmky nahoru</translation> </message> <message> <source>Create Blank Drawing</source> <translation>Vytvoit przdnou kresbu</translation> </message> <message> <source>Duplicate Drawing</source> <translation>Zdvojit kresbu</translation> </message> <message> <source>Unable to create a blank drawing on the camera column</source> <translation>Nelze vytvoit przdnou kresbu ve sloupci kamery</translation> </message> <message> <source>The current column is locked</source> <translation>Nynj sloupec je uzamknut</translation> </message> <message> <source>Cannot create a blank drawing on the current column</source> <translation>Nelze vytvoit przdnou kresbu v nynjm sloupci</translation> </message> <message> <source>The current level is not editable</source> <translation>Nynj rove nen upraviteln</translation> </message> <message> <source>Unable to create a blank drawing on the current column</source> <translation>Nelze vytvoit przdnou kresbu v nynjm sloupci</translation> </message> <message> <source>Unable to replace the current drawing with a blank drawing</source> <translation>Nelze nahradit nynj kresbu przdnou kresbou</translation> </message> <message> <source>There are no drawings in the camera column to duplicate</source> <translation>Ve sloupci kamery nejsou dn kresby ke zdvojen</translation> </message> <message> <source>Cannot duplicate a drawing in the current column</source> <translation>Nelze zdvojit kresbu v nynjm sloupci</translation> </message> <message> <source>Unable to duplicate a drawing on the current column</source> <translation>Nelze zdvojit kresbu v nynjm sloupci</translation> </message> <message> <source>Unable to replace the current or next drawing with a duplicate drawing</source> <translation>Nelze nahradit nynj nebo dal kresbu zdvojenou kresbou</translation> </message> <message> <source>Stop Motion Controller</source> <translation>Ovldn pooknkov (fzov) animace</translation> </message> <message> <source>Camera Column Switch : </source> <translation>Pepnut sloupce kamery: </translation> </message> <message> <source>Vector Guided Drawing Controls</source> <translation>Ovldn vektorovho kreslen s prvodcem</translation> </message> <message> <source>Vector Guided Drawing</source> <translation>Vektorov kreslen s prvodcem</translation> </message> <message> <source>Group strokes by vector levels?</source> <translation>Seskupit tahy podle vektorovch rovn?</translation> </message> <message> <source>Merge Vector Levels</source> <translation>Slouit vektorov rovn</translation> </message> <message> <source>Report a Bug</source> <translation>Nahlsit chybu</translation> </message> <message> <source>Close</source> <translation>Zavt</translation> </message> <message> <source>No columns can be exported.</source> <translation>Nelze vyvst dn sloupce.</translation> </message> <message> <source>Export Exchange Digital Time Sheet (XDTS)</source> <translation>Vyvst archiv XDTS (Exchange Digital Time Sheet)</translation> </message> <message> <source>Maintain parenting relationships in the sub-xsheet as well.</source> <translation>Udrovat rodiovsk vztahy tak v podzbru.</translation> </message> <message> <source>Include the selected columns in the sub-xsheet without parenting info.</source> <translation>Zahrnout vybran sloupce do podzbru bez informac o rodiovstv.</translation> </message> <message> <source>Maintain parenting relationships in the main xsheet.</source> <translation>Udrovat rodiovsk vztahy v hlavnm zbru.</translation> </message> <message> <source>Bring columns in the main xsheet without parenting.</source> <translation>Dodat sloupce do hlavnho zbru bez rodiovstv.</translation> </message> <message> <source>and %1 more item(s).</source> <translation>a %1 poloka(y) navc.</translation> </message> <message> <source>Convert to Vectors</source> <translation>Pevst na vektory</translation> </message> <message> <source>There are no copied cells to duplicate.</source> <translation>Nejsou dn zkoprovan buky ke zdvojen.</translation> </message> <message> <source>Cannot paste cells on locked layers.</source> <translation>Do uzamench vrstev nelze vloit buky.</translation> </message> <message> <source>Can&apos;t place drawings on the camera column.</source> <translation>Do sloupce kamery nelze umstit kresby.</translation> </message> <message> <source>Cannot duplicate frames in read only levels</source> <translation>Nelze zdvojovat snmky v rovnch jen pro ten</translation> </message> <message> <source>Can only duplicate frames in image sequence levels.</source> <translation>Lze zdvojovat pouze snmky v rovnch s ryvky obrzk.</translation> </message> <message> <source>Toggle vector column as mask. </source> <translation>Pepnout vektorov sloupec jako masku. </translation> </message> <message> <source>Script file %1 does not exists.</source> <translation>Soubor se skriptem %1 neexistuje.</translation> </message> <message> <source>Add Level to Scene Cast : %1</source> <translation>Pidat rove k obsazen vjevu: %1</translation> </message> <message> <source>The Premultiply options in the following levels are disabled, since PNG files are premultiplied on loading in the current version: %1</source> <translation>Volby pedbnho rozmnoovn jsou pro nsledujc rovn vypnuty, protoe v nynj verzi jsou soubory PNG jsou pi natn pedmnoeny:%1</translation> </message> <message> <source>Restart</source> <translation type="unfinished"></translation> </message> <message> <source>+</source> <comment>XSheetPDF</comment> <translation type="unfinished"></translation> </message> <message> <source>&apos;</source> <comment>XSheetPDF:second</comment> <translation type="unfinished"></translation> </message> <message> <source>&quot;</source> <comment>XSheetPDF:frame</comment> <translation type="unfinished"></translation> </message> <message> <source>TOT</source> <comment>XSheetPDF</comment> <translation type="unfinished"></translation> </message> <message> <source>th</source> <comment>XSheetPDF</comment> <translation type="unfinished"></translation> </message> <message> <source>None</source> <comment>XSheetPDF CellMark</comment> <translation type="unfinished"></translation> </message> <message> <source>Dot</source> <comment>XSheetPDF CellMark</comment> <translation type="unfinished"></translation> </message> <message> <source>Circle</source> <comment>XSheetPDF CellMark</comment> <translation type="unfinished"></translation> </message> <message> <source>Filled circle</source> <comment>XSheetPDF CellMark</comment> <translation type="unfinished"></translation> </message> <message> <source>Asterisk</source> <comment>XSheetPDF CellMark</comment> <translation type="unfinished"></translation> </message> <message> <source>ACTION</source> <comment>XSheetPDF</comment> <translation type="unfinished"></translation> </message> <message> <source>S</source> <comment>XSheetPDF</comment> <translation type="unfinished"></translation> </message> <message> <source>CELL</source> <comment>XSheetPDF</comment> <translation type="unfinished"></translation> </message> <message> <source>CAMERA</source> <comment>XSheetPDF</comment> <translation type="unfinished"></translation> </message> <message> <source>EPISODE</source> <comment>XSheetPDF</comment> <translation type="unfinished"></translation> </message> <message> <source>SEQ.</source> <comment>XSheetPDF</comment> <translation type="unfinished"></translation> </message> <message> <source>SCENE</source> <comment>XSheetPDF</comment> <translation type="unfinished"></translation> </message> <message> <source>TIME</source> <comment>XSheetPDF</comment> <translation type="unfinished"></translation> </message> <message> <source>NAME</source> <comment>XSheetPDF</comment> <translation type="unfinished"></translation> </message> <message> <source>SHEET</source> <comment>XSheetPDF</comment> <translation type="unfinished"></translation> </message> <message> <source>TITLE</source> <comment>XSheetPDF</comment> <translation type="unfinished"></translation> </message> <message> <source>CAMERAMAN</source> <comment>XSheetPDF</comment> <translation type="unfinished"></translation> </message> <message> <source>Create folder</source> <translation type="unfinished"></translation> </message> <message> <source>TVPaint JSON file cannot be exported from untitled scene. Save the scene first.</source> <translation type="unfinished"></translation> </message> <message> <source>No columns can be exported. Please note the followings: - The level files must be placed at the same or child folder relative to the scene file. - Currently only the columns containing raster levels can be exported.</source> <translation type="unfinished"></translation> </message> <message> <source>Export TVPaint JSON File</source> <translation type="unfinished"></translation> </message> <message> <source>Removed unused level %1 from the scene cast. (This behavior can be disabled in Preferences.)</source> <translation type="unfinished"></translation> </message> <message> <source>Removed unused levels from the scene cast. (This behavior can be disabled in Preferences.)</source> <translation type="unfinished"></translation> </message> <message> <source>A prior save of Scene &apos;%1&apos; was critically interrupted. A partial save file was generated and changes may be manually salvaged from &apos;%2&apos;. Do you wish to continue loading the last good save or stop and try to salvage the prior save?</source> <translation type="unfinished"></translation> </message> <message> <source>Edit Cell Mark #%1</source> <translation type="unfinished"></translation> </message> <message> <source>A conversion task is in progress! wait until it stops or cancel it</source> <translation type="unfinished"></translation> </message> <message> <source>None</source> <comment>Cell Mark</comment> <translation type="unfinished"></translation> </message> <message> <source>Set Cell Mark at Column %1 Frame %2 to %3</source> <translation type="unfinished"></translation> </message> <message> <source>Apply Auto Lip Sync</source> <translation type="unfinished"></translation> </message> <message> <source>Export Camera Track Image</source> <translation type="unfinished"></translation> </message> <message> <source>Save log text</source> <translation type="unfinished"></translation> </message> <message> <source>The log file already exists. Do you want to overwrite it?</source> <translation type="unfinished"></translation> </message> <message> <source>Layer: </source> <translation type="unfinished"></translation> </message> <message> <source>Export Open Cel Animation (OCA)</source> <translation type="unfinished"></translation> </message> <message> <source>%1 has been exported successfully.</source> <translation type="unfinished"></translation> </message> <message> <source>All columns</source> <translation type="unfinished"></translation> </message> <message> <source>Only active columns</source> <translation type="unfinished"></translation> </message> <message> <source>Cell Mark for Inbetween Symbol 1 (O)</source> <translation type="unfinished"></translation> </message> <message> <source>Cell Mark for Inbetween Symbol 2 (*)</source> <translation type="unfinished"></translation> </message> <message> <source>Target column</source> <translation type="unfinished"></translation> </message> <message> <source>Loading Raster Images To Cache...</source> <translation type="unfinished"></translation> </message> <message> <source>Remove Frames : Level %1 : Frame </source> <translation type="unfinished"></translation> </message> <message> <source>Can&apos;t paste full raster data on a non full raster level.</source> <translation type="unfinished"></translation> </message> <message> <source>Edit Color Filter #%1</source> <translation type="unfinished"></translation> </message> <message> <source>Preproduction Board</source> <translation type="unfinished"></translation> </message> <message> <source>Copy Columns</source> <comment>TColumnSelection</comment> <translation type="unfinished"></translation> </message> <message> <source>Paste Columns</source> <comment>TColumnSelection</comment> <translation type="unfinished"></translation> </message> <message> <source>Cut Columns</source> <comment>TColumnSelection</comment> <translation type="unfinished"></translation> </message> <message> <source>Delete Columns</source> <comment>TColumnSelection</comment> <translation type="unfinished"></translation> </message> <message> <source>Insert Columns</source> <comment>TColumnSelection</comment> <translation type="unfinished"></translation> </message> <message> <source>Copy Cells</source> <comment>TCellSelection</comment> <translation type="unfinished"></translation> </message> <message> <source>Paste Cells</source> <comment>TCellSelection</comment> <translation type="unfinished">Vloit buky</translation> </message> <message> <source>Overwrite Paste Cells</source> <comment>TCellSelection</comment> <translation type="unfinished">Pepsat vloen buky</translation> </message> <message> <source>Cut Cells</source> <comment>TCellSelection</comment> <translation type="unfinished">Vyjmout buky</translation> </message> <message> <source>Delete Cells</source> <comment>TCellSelection</comment> <translation type="unfinished">Smazat buky</translation> </message> <message> <source>Insert Cells</source> <comment>TCellSelection</comment> <translation type="unfinished">Vloit przdnt buky</translation> </message> <message> <source>Pasting external image from clipboard. What do you want to do?</source> <translation type="unfinished"></translation> </message> <message> <source>New raster level</source> <translation type="unfinished"></translation> </message> <message> <source>The rooms will be reset the next time you run OpenToonz.</source> <translation type="unfinished"></translation> </message> <message> <source>[Drag&amp;Drop] to copy separator to %1</source> <translation type="unfinished"></translation> </message> <message> <source>[Drag&amp;Drop] to copy command to %1</source> <translation type="unfinished"></translation> </message> </context> <context> <name>ReframePopup</name> <message> <source>Reframe with Empty Inbetweens</source> <translation>Pesnmkovat s przdnmi mezilehlmi snmky</translation> </message> <message> <source>OK</source> <translation>OK</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>steps</source> <translation type="vanished">kroky</translation> </message> <message> <source>with</source> <translation>s</translation> </message> <message> <source>empty inbetweens</source> <translation>przdn mezilehl snmky</translation> </message> <message> <source>(</source> <translation type="vanished">(</translation> </message> <message> <source> blank cells will be inserted.)</source> <translation type="vanished"> przdn buky budou vloeny.)</translation> </message> <message> <source>Number of steps:</source> <translation type="unfinished"></translation> </message> <message> <source>s</source> <translation type="unfinished"></translation> </message> <message> <source>(%1 blank cells will be inserted.)</source> <translation type="unfinished"></translation> </message> </context> <context> <name>RenameAsToonzPopup</name> <message> <source>Delete Original Files</source> <translation>Smazat pvodn soubor</translation> </message> <message> <source>Level Name:</source> <translation>Nzev rovn:</translation> </message> <message> <source>Rename</source> <translation>Pejmenovat</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Renaming File </source> <translation>Pejmenovv se soubor </translation> </message> <message> <source>Creating an animation level of %1 frames</source> <translation>Vytv se rove animace s %1 snmky</translation> </message> <message> <source>The file name cannot be empty or contain any of the following characters:(new line) \ / : * ? &quot; |</source> <translation>Nzev souboru nesm bt przdn nebo obsahovat nsledujc znaky: (nov dek) \ / : * ? &quot; |</translation> </message> </context> <context> <name>RenderController</name> <message> <source>Continue</source> <translation>Pokraovat</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Exporting ...</source> <translation>Vyvd se...</translation> </message> <message> <source>Abort</source> <translation>Zruit</translation> </message> <message> <source>Exporting</source> <translation>Vyvd se</translation> </message> <message> <source>The %1 scene contains an audio file with different characteristics from the one used in the first exported scene. The audio file will not be included in the rendered clip.</source> <translation>Vjev %1 obsahuje zvukov soubor s jinmi vlastnostmi, ne jak ml nejprve vyveden vjev. Zvukov soubor nebude zahrnut do zpracovanho zznamu.</translation> </message> <message> <source>The %1 scene has a different resolution from the %2 scene. The output result may differ from what you expect. What do you want to do?</source> <translation>Vjev %1 m jin rozlien ne vjev %2. Vsledek vstupu se me liit od toho, kter byl oekvn. Co chcete dlat?</translation> </message> <message> <source>Please specify an file name.</source> <translation>Zadejte nzev souboru.</translation> </message> <message> <source>Drag a scene into the box to export a scene.</source> <translation>Pethnte vjev do pole pro vyveden vjevu.</translation> </message> <message> <source>The %1 scene contains a plastic deformed level. These levels can&apos;t be exported with this tool.</source> <translation>Vjev %1 obsahuje plasticky deformovanou rove. Tyto rovn nelze pomoc tohoto nstroje vyvst.</translation> </message> </context> <context> <name>RenderListener</name> <message> <source>Finalizing render, please wait.</source> <translation type="vanished">Dokonuje se zpracovn. Pokejte, prosm.</translation> </message> </context> <context> <name>RenumberPopup</name> <message> <source>Renumber</source> <translation>Peslovat</translation> </message> <message> <source>Start:</source> <translation>Zatek:</translation> </message> <message> <source>Step:</source> <translation>Krok:</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> </context> <context> <name>ReplaceLevelPopup</name> <message> <source>Replace Level</source> <translation>Nahradit rove</translation> </message> <message> <source>Replace</source> <translation>Nahradit</translation> </message> <message> <source>Nothing to replace: no cells selected.</source> <translation type="vanished">Nen nic k nahrazenn: Nebyly vybrny dn buky.</translation> </message> <message> <source>File not found </source> <translation>Soubor nenalezen </translation> </message> </context> <context> <name>ReplaceParentDirectoryPopup</name> <message> <source>Replace Parent Directory</source> <translation>Nahradit rodiovsk adres</translation> </message> <message> <source>Replace</source> <translation>Nahradit</translation> </message> <message> <source>Nothing to replace: no cells or columns selected.</source> <translation type="vanished">Nen nic k nahrazenn: Nebyly vybrny ani buky ani sloupce.</translation> </message> </context> <context> <name>RoomTabWidget</name> <message> <source>New Room</source> <translation>Nov pracovn plocha</translation> </message> <message> <source>Delete Room</source> <translation type="vanished">Smazat pracovn plochu</translation> </message> <message> <source>Room</source> <translation>Pracovn plocha</translation> </message> <message> <source>Are you sure you want to remove room %1</source> <translation>Opravdu chcete smazat pracovn plochu %1</translation> </message> <message> <source>Delete Room &quot;%1&quot;</source> <translation>Smazat pracovn plochu &quot;%1&quot;</translation> </message> <message> <source>Customize Menu Bar of Room &quot;%1&quot;</source> <translation>Pizpsobit nabdkov pruh pracovn plochy &quot;%1&quot;</translation> </message> </context> <context> <name>Ruler</name> <message> <source>Click to create an horizontal guide</source> <translation>Klepnout pro vytvoen vodorovn pomocn ry</translation> </message> <message> <source>Click to create a vertical guide</source> <translation>Klepnout pro vytvoen svisl pomocn ry</translation> </message> <message> <source>Click and drag to move guide</source> <translation type="vanished">Klepnout a thnout pro posunut pomocn ry</translation> </message> <message> <source>Left click and drag to move guide. Right click to delete guide</source> <translation type="vanished">Klepnut levm tlatkem myi pro pesunut vodtka. Klepnut pravm tlatkem myi pro smazn vodtka</translation> </message> <message> <source>Left-click and drag to move guide, right-click to delete guide.</source> <translation>Klepnut levm tlatkem myi pro pesunut pomocn ry. Klepnut pravm tlatkem myi pro smazn pomocn ry.</translation> </message> <message> <source>Click to create a horizontal guide</source> <translation>Klepnout pro vytvoen vodorovn pomocn ry</translation> </message> </context> <context> <name>SVNCleanupDialog</name> <message> <source>Version Control: Cleanup</source> <translation>Sprva verz: Vyitn</translation> </message> <message> <source>Cleaning up %1...</source> <translation>ist se %1...</translation> </message> <message> <source>Close</source> <translation>Zavt</translation> </message> <message> <source>Cleanup done.</source> <translation>Vyitn dokoneno.</translation> </message> </context> <context> <name>SVNCommitDialog</name> <message> <source>Version Control: Put changes</source> <translation>Sprva verz: Zapsn zmn</translation> </message> <message> <source>Select / Deselect All</source> <translation>Vybrat ve/Zruit vbr u veho</translation> </message> <message> <source>0 Selected / 0 Total</source> <translation>0 vybrno / 0 celkem</translation> </message> <message> <source>Getting repository status...</source> <translation>Zskv se stav loit...</translation> </message> <message> <source>Comment:</source> <translation>Poznmka:</translation> </message> <message> <source>Put Scene Contents</source> <translation>Zapsat obsah vjevu</translation> </message> <message> <source>Put</source> <translation>Zapsat</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Adding %1 items...</source> <translation>Pidv se %1 poloek...</translation> </message> <message> <source>Set needs-lock property...</source> <translation>Nastavit vlastnost &quot;Zmek nutn&quot;...</translation> </message> <message> <source>Committing %1 items...</source> <translation>Odesl se %1 poloek...</translation> </message> <message> <source>Put done successfully.</source> <translation>Zapsn dokoneno.</translation> </message> <message> <source>Putting %1 items...</source> <translation>Zapisuje se %1 poloek...</translation> </message> <message> <source>No items to put.</source> <translation>dn poloky k zapsn.</translation> </message> <message> <source>%1 items to put.</source> <translation>%1 poloek k zapsn.</translation> </message> <message> <source>%1 Selected / %2 Total</source> <translation>%1 vybrno / %2 celkem</translation> </message> <message> <source>Close</source> <translation>Zavt</translation> </message> </context> <context> <name>SVNCommitFrameRangeDialog</name> <message> <source>Version Control: Put</source> <translation>Sprva verz: Zapsn</translation> </message> <message> <source>Note: the file will be updated too.</source> <translation>Poznmka: Soubor bude aktualizovn tak.</translation> </message> <message> <source>Comment:</source> <translation>Poznmka:</translation> </message> <message> <source>Put</source> <translation>Zapsat</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Put done successfully.</source> <translation>Zapsn dokoneno.</translation> </message> <message> <source>Locking file...</source> <translation>Soubor se uzamyk...</translation> </message> <message> <source>Getting frame range edit information...</source> <translation>Zskvaj se daje o upraven rozsahu snmku...</translation> </message> <message> <source>No frame range edited.</source> <translation>dn rozsah snmku nebyl upraven.</translation> </message> <message> <source>Updating frame range edit information...</source> <translation>Aktualizuje se daj o upraven rozsahu snmku...</translation> </message> <message> <source>Putting changes...</source> <translation>Zapisuj se zmny...</translation> </message> <message> <source>Updating file...</source> <translation>Aktualizuje se soubor...</translation> </message> <message> <source>Adding hoOk file to repository...</source> <translation type="vanished">Soubor hku se pidv do loit...</translation> </message> <message> <source>Setting the needs-lock property to hoOk file...</source> <translation type="vanished">Vlastnost &quot;Zmek nutn&quot; se nastavuje v souboru hku...</translation> </message> <message> <source>Adding hook file to repository...</source> <translation>Soubor hku se pidv do loit...</translation> </message> <message> <source>Setting the needs-lock property to hook file...</source> <translation>Vlastnost &quot;Zmek nutn&quot; se nastavuje v souboru hku...</translation> </message> </context> <context> <name>SVNDeleteDialog</name> <message> <source>Version Control: Delete</source> <translation>Sprva verz: Smazn</translation> </message> <message> <source>Delete folder that contains %1 items.</source> <translation>Smazat sloku, kter obsahuje %1 poloek.</translation> </message> <message> <source>Delete empty folder.</source> <translation>Smazat przdnou sloku.</translation> </message> <message> <source>Delete %1 items.</source> <translation>Smazat %1 poloek.</translation> </message> <message> <source>Comment:</source> <translation>Poznmka:</translation> </message> <message> <source>Delete Scene Contents</source> <translation>Smazat obsah vjevu</translation> </message> <message> <source> Keep Local Copy</source> <translation>Zachovat mstn kopii</translation> </message> <message> <source>Delete Local Copy </source> <translation>Smazat mstn kopii</translation> </message> <message> <source>Delete on Server </source> <translation>Smazat soubor na serveru </translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Deleting %1 items...</source> <translation>Mae se %1 poloek...</translation> </message> <message> <source>Delete</source> <translation>Smazat</translation> </message> <message> <source>You are deleting items also on repository. Are you sure ?</source> <translation>Budou smazny tak poloky v loiti. Jste si jist?</translation> </message> </context> <context> <name>SVNFrameRangeLockInfoDialog</name> <message> <source>Version Control: Edit Info</source> <translation>Sprva verz: Informace o upraven</translation> </message> <message> <source>Getting repository status...</source> <translation>Zskv se stav loit...</translation> </message> <message> <source>Close</source> <translation>Zavt</translation> </message> <message> <source>No frame range edited.</source> <translation>dn rozsah snmku nebyl upraven.</translation> </message> <message> <source>%1 on %2 is editing frames from %3 to %4.</source> <translation>%1 na %2 upravuje snmky od %3 do %4.</translation> </message> </context> <context> <name>SVNLockDialog</name> <message> <source>Version Control: Edit</source> <translation>Sprva verz: Upraven</translation> </message> <message> <source>Version Control: Unlock</source> <translation>Sprva verz: Odemknut</translation> </message> <message> <source>Getting repository status...</source> <translation>Zskv se stav loit...</translation> </message> <message> <source>Comment:</source> <translation>Poznmka:</translation> </message> <message> <source>Edit Scene Contents</source> <translation>Upravit obsah vjevu</translation> </message> <message> <source>Unlock Scene Contents</source> <translation>Odemknout obsah vjevu</translation> </message> <message> <source>Edit</source> <translation>Upravit</translation> </message> <message> <source>Unlock</source> <translation>Odemknout</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>No items to edit.</source> <translation>dn poloky k upraven.</translation> </message> <message> <source>No items to unlock.</source> <translation>dn poloky k odemknut.</translation> </message> <message> <source>%1 items to edit.</source> <translation>%1 poloek k upraven.</translation> </message> <message> <source>%1 items to unlock.</source> <translation>Je %1 poloek k odemknut.</translation> </message> <message> <source>Editing %1 items...</source> <translation>Upravuje se %1 poloek...</translation> </message> <message> <source>Unlocking %1 items...</source> <translation>Odemyk se %1 poloek...</translation> </message> </context> <context> <name>SVNLockFrameRangeDialog</name> <message> <source>Version Control: Edit Frame Range</source> <translation>Sprva verz: Upraven rozsahu snmku</translation> </message> <message> <source>Temporary Lock file...</source> <translation>Doasn uzamknut souboru...</translation> </message> <message> <source>From:</source> <translation>Od snmku:</translation> </message> <message> <source>To:</source> <translation>Ke snmku:</translation> </message> <message> <source>Comment:</source> <translation>Poznmka:</translation> </message> <message> <source>Edit</source> <translation>Upravit</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>No frame range edited.</source> <translation>dn rozsah snmku nebyl upraven.</translation> </message> <message> <source>Getting frame range edit information...</source> <translation>Zskvaj se daje o upraven rozsahu snmku...</translation> </message> <message> <source>%1 on %2 is editing frames from %3 to %4.</source> <translation>%1 na %2 upravuje snmky od %3 do %4.</translation> </message> </context> <context> <name>SVNLockInfoDialog</name> <message> <source>Version Control: Edit Info</source> <translation>Sprva verz: Informace o upraven</translation> </message> <message> <source>&lt;b&gt;Edited By:&lt;/b&gt;</source> <translation>&lt;b&gt;Upraveno:&lt;/b&gt;</translation> </message> <message> <source>&lt;b&gt;Host:&lt;/b&gt;</source> <translation>&lt;b&gt;Host:&lt;/b&gt;</translation> </message> <message> <source>&lt;b&gt;Comment:&lt;/b&gt;</source> <translation>&lt;b&gt;Poznmka:&lt;/b&gt;</translation> </message> <message> <source>&lt;b&gt;Date:&lt;/b&gt;</source> <translation>&lt;b&gt;Datum:&lt;/b&gt;</translation> </message> <message> <source>Close</source> <translation>Zavt</translation> </message> </context> <context> <name>SVNLockMultiFrameRangeDialog</name> <message> <source>Version Control: Edit Frame Range</source> <translation>Sprva verz: Upraven rozsahu snmku</translation> </message> <message> <source>Getting repository status...</source> <translation>Zskv se stav loit...</translation> </message> <message> <source>From:</source> <translation>Od snmku:</translation> </message> <message> <source>To:</source> <translation>Ke snmku:</translation> </message> <message> <source>Comment:</source> <translation>Poznmka:</translation> </message> <message> <source>Edit</source> <translation>Upravit</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>No frame range edited.</source> <translation>dn rozsah snmku nebyl upraven.</translation> </message> <message> <source>Editing %1 items...</source> <translation>Upravuje se %1 poloek...</translation> </message> <message> <source>%1 is editing frames from %2 to %3</source> <translation>%1 upravuje snmky od %2 do %3</translation> </message> </context> <context> <name>SVNMultiFrameRangeLockInfoDialog</name> <message> <source>Version Control: Edit Info</source> <translation>Sprva verz: Informace o upraven</translation> </message> <message> <source>Getting repository status...</source> <translation>Zskv se stav loit...</translation> </message> <message> <source>Close</source> <translation>Zavt</translation> </message> <message> <source>No frame range edited.</source> <translation>dn rozsah snmku nebyl upraven.</translation> </message> <message> <source>%1 is editing frames from %2 to %3</source> <translation>%1 upravuje snmky od %2 do %3</translation> </message> </context> <context> <name>SVNPurgeDialog</name> <message> <source>Version Control: Purge</source> <translation>Versionskontrolle: Zahozen</translation> </message> <message> <source>Note: the file will be updated too.</source> <translation>Poznmka: Soubor bude aktualizovn tak.</translation> </message> <message> <source>Getting repository status...</source> <translation>Zskv se stav loit...</translation> </message> <message> <source>Purge</source> <translation>Zahodit</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>No items to purge.</source> <translation>dn poloky k zahozen.</translation> </message> <message> <source>%1 items to purge.</source> <translation>Je %1 poloek k zahozen.</translation> </message> <message> <source>Purging files...</source> <translation>Soubory jsou zahazovny...</translation> </message> </context> <context> <name>SVNRevertDialog</name> <message> <source>Version Control: Revert changes</source> <translation>Sprva verz: Vrcen zmn</translation> </message> <message> <source>Getting repository status...</source> <translation>Zskv se stav loit...</translation> </message> <message> <source>Revert Scene Contents</source> <translation>Vrtit obsah vjevu</translation> </message> <message> <source>Revert</source> <translation>Vrtit</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>No items to revert.</source> <translation>dn poloky k vrcen.</translation> </message> <message> <source>%1 items to revert.</source> <translation>%1 poloek k vrcen.</translation> </message> <message> <source>Reverting %1 items...</source> <translation>Vrac se %1 poloek...</translation> </message> <message> <source>Revert done successfully.</source> <translation>Vrcen dokoneno.</translation> </message> </context> <context> <name>SVNRevertFrameRangeDialog</name> <message> <source>Version Control: Revert Frame Range changes</source> <translation>Sprva verz: Vrcen zmn rozsahu snmku</translation> </message> <message> <source>1 item to revert.</source> <translation>Je jedna poloka k vrcen.</translation> </message> <message> <source>Revert</source> <translation>Vrtit</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Reverting 1 item...</source> <translation>Vrac se jedna poloka...</translation> </message> <message> <source>Revert done successfully.</source> <translation>Vrcen dokoneno.</translation> </message> <message> <source>Reverting %1 items...</source> <translation>Vrac se %1 poloek...</translation> </message> <message> <source>It is not possible to revert the file.</source> <translation>Soubor nelze vrtit.</translation> </message> </context> <context> <name>SVNTimeline</name> <message> <source>Version Control: Timeline </source> <translation>Sprva verz: asov osa</translation> </message> <message> <source>Getting file history...</source> <translation>Zskat minulost souboru...</translation> </message> <message> <source>Get Scene Contents</source> <translation>Zskat obsah vjevu</translation> </message> <message> <source>Get Last Revision</source> <translation>Zskat posledn zmnu</translation> </message> <message> <source>Get Selected Revision</source> <translation>Zskat vybranou zmnu</translation> </message> <message> <source>Close</source> <translation>Zavt</translation> </message> <message> <source>Getting repository status...</source> <translation>Zskv se stav loit...</translation> </message> <message> <source>Date</source> <translation>Datum</translation> </message> <message> <source>Author</source> <translation>Autor</translation> </message> <message> <source>Comment</source> <translation>Poznmka</translation> </message> <message> <source>Revision</source> <translation>Zmna</translation> </message> <message> <source>Getting the status for %1...</source> <translation>Zskv se stav pro %1...</translation> </message> <message> <source>Getting %1 to revision %2...</source> <translation>Zskv se %1 pro zmnu %2...</translation> </message> <message> <source>Getting %1 items to revision %2...</source> <translation>Zskv se %1 poloek pro zmnu %2...</translation> </message> <message> <source>Getting %1...</source> <translation>Zskv se %1...</translation> </message> <message> <source>Getting %1 items...</source> <translation>Zskv se %1 poloek...</translation> </message> </context> <context> <name>SVNUnlockFrameRangeDialog</name> <message> <source>Version Control: Unlock Frame Range</source> <translation>Sprva verz: Odemknut rozsahu snmku</translation> </message> <message> <source>Note: the file will be updated too. Are you sure ?</source> <translation>Poznmka: Soubor bude aktualizovn tak. Jste si jist?</translation> </message> <message> <source>Unlock</source> <translation>Odemknout</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Unlock done successfully.</source> <translation>Odemknut dokoneno.</translation> </message> <message> <source>Locking file...</source> <translation>Soubor se uzamyk...</translation> </message> <message> <source>Getting frame range edit information...</source> <translation>Zskvaj se daje o upraven rozsahu snmku...</translation> </message> <message> <source>No frame range edited.</source> <translation>dn rozsah snmku nebyl upraven.</translation> </message> <message> <source>Updating frame range edit information...</source> <translation>Aktualizuje se daj o upraven rozsahu snmku...</translation> </message> <message> <source>Putting changes...</source> <translation>Zapisuj se zmny...</translation> </message> <message> <source>Updating file...</source> <translation>Aktualizuje se soubor...</translation> </message> <message> <source>Close</source> <translation>Zavt</translation> </message> </context> <context> <name>SVNUnlockMultiFrameRangeDialog</name> <message> <source>Version Control: Unlock Frame Range</source> <translation>Sprva verz: Odemknut rozsahu snmku</translation> </message> <message> <source>Getting repository status...</source> <translation>Zskv se stav loit...</translation> </message> <message> <source>Unlock</source> <translation>Odemknout</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Unlocking %1 items...</source> <translation>Odemyk se %1 poloek...</translation> </message> <message> <source>No items to unlock.</source> <translation>dn poloky k odemknut.</translation> </message> <message> <source>%1 items to unlock.</source> <translation>Je %1 poloek k odemknut.</translation> </message> </context> <context> <name>SVNUpdateAndLockDialog</name> <message> <source>Version Control: Edit</source> <translation>Sprva verz: Upraven</translation> </message> <message> <source>Comment:</source> <translation>Poznmka:</translation> </message> <message> <source>Edit Scene Contents</source> <translation>Upravit obsah vjevu</translation> </message> <message> <source>Get And Edit </source> <translation>Zskat a upravit</translation> </message> <message> <source>Edit</source> <translation>Upravit</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>No items to edit.</source> <translation>dn poloky k upraven.</translation> </message> <message> <source>%1 items to edit.</source> <translation>%1 poloek k upraven.</translation> </message> <message> <source>Updating %1 items...</source> <translation>Aktualizuje se %1 poloek...</translation> </message> <message> <source>Editing %1 items...</source> <translation>Upravuje se %1 poloek...</translation> </message> </context> <context> <name>SVNUpdateDialog</name> <message> <source>Version Control: Update</source> <translation>Sprva verz: Aktualizace</translation> </message> <message> <source>Getting repository status...</source> <translation>Zskv se stav loit...</translation> </message> <message> <source>Get Scene Contents</source> <translation>Zskat obsah vjevu</translation> </message> <message> <source>Update</source> <translation>Aktualizovat</translation> </message> <message> <source>Close</source> <translation>Zavt</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>%1 items to update.</source> <translation>Je %1 poloek k aktualizaci.</translation> </message> <message> <source>Update to:</source> <translation>Aktualizovat k:</translation> </message> <message> <source>Some conflict found. Select..</source> <translation>Byl nalezen stet. Vyberte...</translation> </message> <message> <source>No items to update.</source> <translation>dn poloky k aktualizaci.</translation> </message> <message> <source>Some items are currently modified in your working copy. Please commit or revert changes first.</source> <translation>Ve va pracovn kopii byly zmnny nkter poloky. Nejprve, prosm, zmny odelete, nebo je vrate zpt.</translation> </message> <message> <source>Updating items...</source> <translation>Aktualizuj se poloky...</translation> </message> <message> <source>Updating to their items...</source> <translation>Aktualizuje se k jejich polokm...</translation> </message> </context> <context> <name>SaveBoardPresetFilePopup</name> <message> <source>Save Clapperboard Settings As Preset</source> <translation>Uloit nastaven filmov klapky jako pednastaven</translation> </message> </context> <context> <name>SaveCurvePopup</name> <message> <source>Save Curve</source> <translation type="vanished">Uloit kivku</translation> </message> <message> <source>Save</source> <translation type="vanished">Uloit</translation> </message> </context> <context> <name>SaveImagesPopup</name> <message> <source>Save FlipboOk Images</source> <translation type="vanished">Uloit obrzky FlipboOk</translation> </message> <message> <source>Save</source> <translation>Uloit</translation> </message> <message> <source>Save Flipbook Images</source> <translation>Uloit obrzky FlipboOk</translation> </message> </context> <context> <name>SaveLevelAsPopup</name> <message> <source>Save Level</source> <translation>Uloit rove</translation> </message> <message> <source>Save</source> <translation>Uloit</translation> </message> </context> <context> <name>SaveLogTxtPopup</name> <message> <source>Failed to open the file %1</source> <translation type="unfinished"></translation> </message> </context> <context> <name>SavePaletteAsPopup</name> <message> <source>Save Palette</source> <translation>Uloit paletu</translation> </message> <message> <source>Save</source> <translation>Uloit</translation> </message> </context> <context> <name>SavePresetPopup</name> <message> <source>Save Preset</source> <translation>Uloit pednastaven</translation> </message> <message> <source>Preset Name:</source> <translation>Nzev pednastaven:</translation> </message> <message> <source>Save</source> <translation>Uloit</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>It is not possible to create the preset folder %1.</source> <translation>Nelze vytvoit sloku s pednastavenm %1.</translation> </message> <message> <source>Do you want to overwrite?</source> <translation>Chcete ji pepsat?</translation> </message> <message> <source>Yes</source> <translation>Ano</translation> </message> <message> <source>No</source> <translation>Ne</translation> </message> </context> <context> <name>SavePreviewedPopup</name> <message> <source>Save Previewed Images</source> <translation type="vanished">Uloit snmky s nhledem</translation> </message> <message> <source>Save</source> <translation type="vanished">Uloit</translation> </message> </context> <context> <name>SaveSceneAsPopup</name> <message> <source>Save Scene</source> <translation>Uloit vjev</translation> </message> <message> <source>Save</source> <translation>Uloit</translation> </message> </context> <context> <name>SaveSettingsPopup</name> <message> <source>Save Cleanup Settings</source> <translation type="vanished">Uloit nastaven vyitn</translation> </message> <message> <source>Save</source> <translation type="vanished">Uloit</translation> </message> </context> <context> <name>SaveSubSceneAsPopup</name> <message> <source>Save</source> <translation>Uloit</translation> </message> <message> <source>Sub-xsheet</source> <translation>Podzbr</translation> </message> </context> <context> <name>SaveTaskListPopup</name> <message> <source>Save Task List</source> <translation>Uloit seznam loh</translation> </message> <message> <source>Save</source> <translation>Uloit</translation> </message> </context> <context> <name>ScanSettingsPopup</name> <message> <source>Scan Settings</source> <translation>Nastaven skenu</translation> </message> <message> <source>[no scanner]</source> <translation>[dn skener]</translation> </message> <message> <source>Paper Format:</source> <translation>Formt papru:</translation> </message> <message> <source>Reverse Order</source> <translation>Obrtit poad</translation> </message> <message> <source>Paper Feeder</source> <translation>Podava papru</translation> </message> <message> <source>Mode:</source> <translation>Reim:</translation> </message> <message> <source>Dpi: </source> <translation>DPI:</translation> </message> <message> <source>Brightness: </source> <translation>Jas: </translation> </message> <message> <source>Threshold: </source> <translation>Prahov hodnota: </translation> </message> </context> <context> <name>SceneBrowser</name> <message> <source>Some files that you want to edit are currently opened. Close them first.</source> <translation type="unfinished">Nkter soubory, je chcete vytvoit, jsou nyn oteveny. Nejprve je, prosm, zavete.</translation> </message> <message> <source>Some files that you want to unlock are currently opened. Close them first.</source> <translation type="unfinished">Nkter soubory, je chcete odemknout, jsou nyn oteveny. Nejprve je, prosm, zavete.</translation> </message> <message> <source>Folder: </source> <translation type="unfinished">Sloka: </translation> </message> <message> <source>Open folder failed</source> <translation type="unfinished">Sloku se nepodailo otevt</translation> </message> <message> <source>The input folder path was invalid.</source> <translation type="unfinished">Cesta ke vstupn sloce byla neplatn.</translation> </message> <message> <source>Can&apos;t change file extension</source> <translation type="unfinished">Pponu souboru nelze zmnit</translation> </message> <message> <source>Can&apos;t set a drawing number</source> <translation type="unfinished">Nelze nastavit slo kresby</translation> </message> <message> <source>Can&apos;t rename. File already exists: </source> <translation type="unfinished">Pejmenovn nen mon. Ji existuje soubor:</translation> </message> <message> <source>Couldn&apos;t rename </source> <translation type="unfinished">Nepodailo se pejmenovat </translation> </message> <message> <source>Load As Sub-xsheet</source> <translation type="unfinished">Nahrt jako podzbr</translation> </message> <message> <source>Load</source> <translation type="unfinished">Nahrt</translation> </message> <message> <source>Rename</source> <translation type="unfinished">Pejmenovat</translation> </message> <message> <source>Convert to Painted TLV</source> <translation type="unfinished">Pevst na nabarven TLV</translation> </message> <message> <source>Convert to Unpainted TLV</source> <translation type="unfinished">Pevst na nenabarven TLV</translation> </message> <message> <source>Version Control</source> <translation type="unfinished">Sprva verz</translation> </message> <message> <source>Edit</source> <translation type="unfinished">Upravit</translation> </message> <message> <source>Edit Frame Range...</source> <translation type="unfinished">Upravit rozsah snmk...</translation> </message> <message> <source>Put...</source> <translation type="unfinished">Nahradit...</translation> </message> <message> <source>Revert</source> <translation type="unfinished">Vrtit</translation> </message> <message> <source>Get</source> <translation type="unfinished">Zskat</translation> </message> <message> <source>Delete</source> <translation type="unfinished">Smazat</translation> </message> <message> <source>Get Revision...</source> <translation type="unfinished">Zskat revizi...</translation> </message> <message> <source>Unlock</source> <translation type="unfinished">Odemknout</translation> </message> <message> <source>Edit Info</source> <translation type="unfinished">Upravit informace</translation> </message> <message> <source>Revision History...</source> <translation type="unfinished">Prbh zmn...</translation> </message> <message> <source>Unlock Frame Range</source> <translation type="unfinished">Odemknout rozsah snmk</translation> </message> <message> <source>Save Scene</source> <translation type="unfinished">Uloit vjev</translation> </message> <message> <source>Scene name:</source> <translation type="unfinished">Nzev vjevu:</translation> </message> <message> <source>There was an error copying %1 to %2</source> <translation type="unfinished">Pi koprovn z %1 do %2 se vyskytla chyba</translation> </message> <message> <source>Convert To Unpainted Tlv</source> <translation type="unfinished">Pevst na nenabarven TLV</translation> </message> <message> <source>Warning: level %1 already exists; overwrite?</source> <translation type="unfinished">Varovn: rove %1 ji existuje. Pepsat?</translation> </message> <message> <source>Yes</source> <translation type="unfinished">Ano</translation> </message> <message> <source>No</source> <translation type="unfinished">Ne</translation> </message> <message> <source>Done: All Levels converted to TLV Format</source> <translation type="unfinished">Hotovo: Vechny rovn byly pevedeny do formtu TLV</translation> </message> <message> <source>Convert To Painted Tlv</source> <translation type="unfinished">Pevst na nabarven TLV</translation> </message> <message> <source>Done: 2 Levels converted to TLV Format</source> <translation type="unfinished">Hotovo: 2 rovn byly pevedeny do formtu TLV</translation> </message> <message> <source>New Folder</source> <translation type="unfinished">Nov sloka</translation> </message> <message> <source>It is not possible to create the %1 folder.</source> <translation type="unfinished">Sloku %1 nelze vytvoit.</translation> </message> </context> <context> <name>SceneBrowserButtonBar</name> <message> <source>Create new scene</source> <translation type="unfinished"></translation> </message> <message> <source>Create scene</source> <translation type="unfinished"></translation> </message> </context> <context> <name>SceneSettingsPopup</name> <message> <source>Scene Settings</source> <translation>Nastaven vjevu</translation> </message> <message> <source> Frame Rate:</source> <translation type="vanished"> Snmkovn:</translation> </message> <message> <source>Camera BG Color:</source> <translation>Barva pozad kamery:</translation> </message> <message> <source>Viewer BG Color:</source> <translation type="vanished">Barva pozad prohlee:</translation> </message> <message> <source> Preview BG Color:</source> <translation type="vanished">Barva pozad nhledu:</translation> </message> <message> <source>Checkerboard Color 1:</source> <translation type="vanished">Barva achovnice 1:</translation> </message> <message> <source>Checkerboard Color 2:</source> <translation type="vanished">Barva achovnice 2:</translation> </message> <message> <source>Image Subsampling:</source> <translation>Podvzorkovn obrzku:</translation> </message> <message> <source> Marker Interval:</source> <translation type="vanished"> Interval znaky:</translation> </message> <message> <source>A/R:</source> <translation>Obsah stran:</translation> </message> <message> <source>Safe Area Box 2:</source> <translation type="vanished">Rmeek bezpen oblasti 2:</translation> </message> <message> <source>Safe Area Box 1:</source> <translation type="vanished">Rmeek bezpen oblasti 1:</translation> </message> <message> <source>TLV Subsampling:</source> <translation>Podvzorkovn TLV:</translation> </message> <message> <source>Start Frame:</source> <translation type="vanished">Zaten snmek:</translation> </message> <message> <source>Level And Column Icon:</source> <translation type="vanished">Ikona rovn a sloupc:</translation> </message> <message> <source>Field Guide Size:</source> <translation>Velikost praktickho vodu:</translation> </message> <message> <source>Frame Rate:</source> <translation>Snmkovn:</translation> </message> <message> <source>Marker Interval:</source> <translation>Interval znaky:</translation> </message> <message> <source> Start Frame:</source> <translation>Zaten snmek:</translation> </message> <message> <source>Enable Column Color Filter and Transparency for Rendering</source> <translation>Povolit filtr barvy sloupce a prhlednost pro zpracovn</translation> </message> <message> <source>Edit Cell Marks</source> <translation type="unfinished"></translation> </message> <message> <source>Cell Marks:</source> <translation type="unfinished"></translation> </message> <message> <source>Edit Column Color Filters</source> <translation type="unfinished"></translation> </message> </context> <context> <name>SceneViewerContextMenu</name> <message> <source>Swap Compared Images</source> <translation>Vymnit porovnvan obrzky</translation> </message> <message> <source>Save Previewed Frames</source> <translation>Uloit snmky s nhledem</translation> </message> <message> <source>Regenerate Preview</source> <translation>Obnovit nhled</translation> </message> <message> <source>Regenerate Frame Preview</source> <translation>Obnovit nhled snmku</translation> </message> <message> <source>Show / Hide</source> <translation>Ukzat/Skrt</translation> </message> <message> <source>Reset Subcamera</source> <translation>Obnovit vchoz podkameru</translation> </message> <message> <source>Select Camera</source> <translation>Vybrat kameru</translation> </message> <message> <source>Select Pegbar</source> <translation>Vybrat pruh na kolky</translation> </message> <message> <source>Select Column</source> <translation>Vybrat sloupec</translation> </message> <message> <source>Vector Guided Drawing</source> <translation>Veden kreslen vektoru</translation> </message> <message> <source>Off</source> <translation>Vypnuto</translation> </message> <message> <source>Closest Drawing</source> <translation>Nejbli Kreslen</translation> </message> <message> <source>Farthest Drawing</source> <translation>Nejvzdlenj kreslen</translation> </message> <message> <source>All Drawings</source> <translation>Vechna kreslen</translation> </message> <message> <source>Show %1</source> <translation>Ukzat %1</translation> </message> <message> <source>Hide %1</source> <translation>Skrt %1</translation> </message> <message> <source>Table</source> <translation>Tabulka</translation> </message> <message> <source>Select %1</source> <translation>Vybrat %1</translation> </message> <message> <source>Flip View</source> <translation>Pevrtit pohled</translation> </message> <message> <source>Reset View</source> <translation>Obnovit vchoz pohled</translation> </message> <message> <source>Auto Inbetween</source> <translation>Automaticky mezilehl snmky</translation> </message> <message> <source>Linear Interpolation</source> <translation>Linern interpolace</translation> </message> <message> <source>Ease In Interpolation</source> <translation>Interpolace zpomalen na zatku</translation> </message> <message> <source>Ease Out Interpolation</source> <translation>Interpolace zpomalen na konci</translation> </message> <message> <source>Ease In/Out Interpolation</source> <translation>Interpolace zpomalen na zatku/na konci</translation> </message> </context> <context> <name>SceneViewerPanel</name> <message> <source>Preview</source> <translation type="vanished">Nhled</translation> </message> <message> <source>Sub-camera Preview</source> <translation type="vanished">Nhled na podkameru</translation> </message> <message> <source>Untitled</source> <translation type="vanished">Bez nzvu</translation> </message> <message> <source>Scene: </source> <translation type="vanished">Zbr: </translation> </message> <message> <source> :: Frame: </source> <translation type="vanished">:: Snmek: </translation> </message> <message> <source> :: Level: </source> <translation type="vanished"> :: rove: </translation> </message> <message> <source>Level: </source> <translation type="vanished">rove: </translation> </message> <message> <source>Freeze</source> <translation type="vanished">Pozastavit</translation> </message> <message> <source>Camera Stand View</source> <translation type="vanished">Pohled na stav kamery</translation> </message> <message> <source>3D View</source> <translation type="vanished">Trojrozmrn pohled</translation> </message> <message> <source>Camera View</source> <translation type="vanished">Pohled kamery</translation> </message> <message> <source> :: Zoom : </source> <translation type="vanished"> :: Zvten: </translation> </message> <message> <source>Safe Area (Right Click to Select)</source> <translation type="vanished">Bezpen oblast (klepnut pravm tlatkem myi pro vybrn)</translation> </message> <message> <source>Field Guide</source> <translation type="vanished">Praktick vod</translation> </message> <message> <source> (Flipped)</source> <translation type="vanished"> (pevrceno)</translation> </message> <message> <source>[SCENE]: </source> <translation type="vanished">[VJEV]: </translation> </message> <message> <source>[LEVEL]: </source> <translation type="vanished">[ROVE]: </translation> </message> <message> <source>GUI Show / Hide</source> <translation type="vanished">Ukzat/Skrt rozhran</translation> </message> <message> <source>Playback Toolbar</source> <translation type="vanished">Nstrojov pruh pro pehrvn</translation> </message> <message> <source>Frame Slider</source> <translation type="vanished">Posuvnk snmku</translation> </message> </context> <context> <name>SeparateColorsPopup</name> <message> <source>Auto</source> <translation>Automaticky</translation> </message> <message> <source>Preview</source> <translation>Nhled</translation> </message> <message> <source>Separate</source> <translation>Rozdlit</translation> </message> <message> <source>Close</source> <translation>Zavt</translation> </message> <message> <source>Sub Color 3:</source> <translation>Podbarva 3:</translation> </message> <message> <source>Alpha Matting</source> <translation>Prhlednost alfa</translation> </message> <message> <source>Main</source> <translation>Hlavn</translation> </message> <message> <source>Sub1</source> <translation>Pod1</translation> </message> <message> <source>Sub2</source> <translation>Pod2</translation> </message> <message> <source>Sub3</source> <translation>Pod3</translation> </message> <message> <source>Pick Color</source> <translation>Vybrat barvu</translation> </message> <message> <source>Show Mask</source> <translation>Ukzat masku</translation> </message> <message> <source>Show Alpha</source> <translation>Ukzat alfu</translation> </message> <message> <source>Preview Frame:</source> <translation>Nhled snmku:</translation> </message> <message> <source>Paper Color:</source> <translation>Barva papru:</translation> </message> <message> <source>Main Color:</source> <translation>Hlavn barva:</translation> </message> <message> <source>Sub Color 1:</source> <translation>Podbarva 1:</translation> </message> <message> <source>Sub Color 2:</source> <translation>Podbarva 2:</translation> </message> <message> <source>Sub Adjust:</source> <translation>Pizpsoben podbarev:</translation> </message> <message> <source>Border Smooth:</source> <translation>Vyhlazen okraj:</translation> </message> <message> <source>Mask Threshold:</source> <translation>Prahov hodnota masky:</translation> </message> <message> <source>Mask Radius:</source> <translation>Polomr masky:</translation> </message> <message> <source>Start:</source> <translation>Zatek:</translation> </message> <message> <source>End:</source> <translation>Konec:</translation> </message> <message> <source>Format:</source> <translation>Formt:</translation> </message> <message> <source>Save in:</source> <translation>Uloit v:</translation> </message> <message> <source>File Suffix:</source> <translation>Ppona souboru:</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Separate by colors ... </source> <translation>Rozdlit podle barev... </translation> </message> <message> <source>Separate 1 Level</source> <translation>Rozdlit 1 rove</translation> </message> <message> <source>Separate %1 Levels</source> <translation>Rozdlit %1 rovn</translation> </message> <message> <source>Critical</source> <translation>Van</translation> </message> <message> <source>Failed to access the destination folder!</source> <translation>Nepodailo se pistoupit k clov sloce!</translation> </message> <message> <source>Separating %1</source> <translation>Rozdluje se %1</translation> </message> <message> <source>Converting level %1 of %2: %3</source> <translation>Pevd se rov %1 z %2: %3</translation> </message> <message> <source>Save Settings</source> <translation>Uloit nastaven</translation> </message> <message> <source>Load Settings</source> <translation>Nahrt nastaven</translation> </message> <message> <source>Failed to load %1.</source> <translation>Nepodailo se nahrt %1.</translation> </message> <message> <source>Failed to create the folder.</source> <translation>Nepodailo se vytvoit sloku.</translation> </message> </context> <context> <name>SeparateSwatch</name> <message> <source>Sub Color 3</source> <translation>Podbarva 3</translation> </message> <message> <source>Original</source> <translation>Pvodn</translation> </message> <message> <source>Main Color</source> <translation>Hlavn barva</translation> </message> <message> <source>Sub Color 1</source> <translation>Podbarva 1</translation> </message> <message> <source>Sub Color 2</source> <translation>Podbarva 2</translation> </message> </context> <context> <name>ShortcutPopup</name> <message> <source>Configure Shortcuts</source> <translation>Nastavit klvesov zkratky</translation> </message> <message> <source>Remove</source> <translation>Odstranit</translation> </message> <message> <source>Couldn&apos;t find any matching command.</source> <translation>Nepodaila se najt jakkoli odpovdajc pkaz.</translation> </message> <message> <source>Export Current Shortcuts</source> <translation>Vyvst nynj klvesov zkratky</translation> </message> <message> <source>Delete Current Preset</source> <translation>Smazat nynj pednastaven</translation> </message> <message> <source>Save Current Shortcuts as New Preset</source> <translation>Uloit nynj klvesov zkratky do novho pednastaven</translation> </message> <message> <source>Apply</source> <translation type="obsolete">Anwenden</translation> </message> <message> <source>Use selected preset as shortcuts</source> <translation>Pout vybran pednastaven jako klvesov zkratky</translation> </message> <message> <source>Clear All Shortcuts</source> <translation>Vyprzdnit vechny klvesov zkratky</translation> </message> <message> <source>This will erase ALL shortcuts. Continue?</source> <translation>Toto vymae VECHNY klvesov zkratky. Pokraovat?</translation> </message> <message> <source>This will overwrite all current shortcuts. Continue?</source> <translation>Toto pepe vechny klvesov zkratky. Pokraovat?</translation> </message> <message> <source>A file named </source> <translation>Soubor s nzvem </translation> </message> <message> <source> already exists. Do you want to replace it?</source> <translation> ji existuje. Chcete jej nahradit?</translation> </message> <message> <source>OpenToonz - Setting Shortcuts</source> <translation>OpenToonz - nastaven klvesovch zkratek</translation> </message> <message> <source>Included presets cannot be deleted.</source> <translation>Zahrnut pednastaven nelze smazat.</translation> </message> <message> <source>Are you sure you want to delete the preset: </source> <translation>Opravdu chcete smazat pednastaven: </translation> </message> <message> <source>?</source> <translation>?</translation> </message> <message> <source>Load from file...</source> <translation>Nahrt ze souboru...</translation> </message> <message> <source>Load</source> <translation>Nahrt</translation> </message> <message> <source>Shortcut Presets</source> <translation>Pednastaven pro klvesov zkratky</translation> </message> <message> <source>Delete</source> <translation>Smazat</translation> </message> <message> <source>Save As</source> <translation>Uloit jako</translation> </message> <message> <source>Search:</source> <translation>Hledat:</translation> </message> <message> <source>Preset:</source> <translation>Pednastaven:</translation> </message> <message> <source>Saving Shortcuts</source> <translation>Ukldaj se klvesov zkratky</translation> </message> <message> <source>Setting Shortcuts</source> <translation>Nastavuj se klvesov zkratky</translation> </message> <message> <source>Enter Preset Name</source> <translation>Zadejte nzev pednastaven</translation> </message> <message> <source>Preset Name:</source> <translation>Nzev pednastaven:</translation> </message> </context> <context> <name>ShortcutTree</name> <message> <source>Menu Commands</source> <translation>Pkazy v nabdce</translation> </message> <message> <source>File</source> <translation>Soubor</translation> </message> <message> <source>Edit</source> <translation>Upravit</translation> </message> <message> <source>Scan &amp; Cleanup</source> <translation>Skenovat a vyistit</translation> </message> <message> <source>Level</source> <translation>rove</translation> </message> <message> <source>Xsheet</source> <translation>Zbr</translation> </message> <message> <source>Cells</source> <translation>Buky</translation> </message> <message> <source>View</source> <translation>Pohled</translation> </message> <message> <source>Windows</source> <translation>Okno</translation> </message> <message> <source>Right-click Menu Commands</source> <translation>Pkazy v nabdce vyvolan klepnutm pravm tlatkem myi</translation> </message> <message> <source>Tools</source> <translation>Nstroje</translation> </message> <message> <source>Tool Modifiers</source> <translation>Volby pro nstroje</translation> </message> <message> <source>Visualization</source> <translation>Znzornn</translation> </message> <message> <source>Playback Controls</source> <translation type="vanished">Ovldn pehrvn</translation> </message> <message> <source>RGBA Channels</source> <translation>Kanly RGBA</translation> </message> <message> <source>Fill</source> <translation>Vyplnit plochy</translation> </message> <message> <source>Misc</source> <translation>Rzn</translation> </message> <message> <source>Playback</source> <translation type="vanished">Pehrvn</translation> </message> <message> <source>Play</source> <translation>Pehrt</translation> </message> <message> <source>Render</source> <translation>Zpracovn</translation> </message> <message> <source>Help</source> <translation>Npovda</translation> </message> <message> <source>Stop Motion</source> <translation>Pooknkov (fzov) animace</translation> </message> <message> <source>Cell Mark</source> <translation type="unfinished"></translation> </message> <message> <source>SubMenu Commands</source> <translation type="unfinished"></translation> </message> <message> <source>Advanced</source> <translation type="unfinished"></translation> </message> </context> <context> <name>ShortcutViewer</name> <message> <source>%1 is already assigned to &apos;%2&apos; Assign to &apos;%3&apos;?</source> <translation>%1 je ji piazen k &apos;%2&apos;. Piadit k &apos;%3&apos;?</translation> </message> <message> <source>Yes</source> <translation>Ano</translation> </message> <message> <source>No</source> <translation>Ne</translation> </message> </context> <context> <name>StackedMenuBar</name> <message> <source>Files</source> <translation>Soubory</translation> </message> <message> <source>Scan</source> <translation>Sken</translation> </message> <message> <source>Settings</source> <translation>Nastaven</translation> </message> <message> <source>Processing</source> <translation>Zpracovn</translation> </message> <message> <source>Edit</source> <translation>Upravit</translation> </message> <message> <source>Windows</source> <translation>Okna</translation> </message> <message> <source>Other Windows</source> <translation>Jin okna</translation> </message> <message> <source>Customize</source> <translation>Pizpsobit</translation> </message> <message> <source>View</source> <translation>Pohled</translation> </message> <message> <source>Tools</source> <translation>Nstroje</translation> </message> <message> <source>More Tools</source> <translation>Jin nstroje</translation> </message> <message> <source>Checks</source> <translation>Oven</translation> </message> <message> <source>Render</source> <translation>Zpracovn</translation> </message> <message> <source>Draw</source> <translation>Kreslen</translation> </message> <message> <source>Xsheet</source> <translation>Zbr</translation> </message> <message> <source>Subxsheet</source> <translation>Podzbr</translation> </message> <message> <source>Levels</source> <translation>rovn</translation> </message> <message> <source>Cells</source> <translation>Buky</translation> </message> <message> <source>Reframe</source> <translation>Obnovit snmek</translation> </message> <message> <source>Step</source> <translation>Krok</translation> </message> <message> <source>Each</source> <translation>Jednotliv buky</translation> </message> <message> <source>File</source> <translation>Soubor</translation> </message> <message> <source>Scan &amp;&amp; Cleanup</source> <translation>Skenovat a vyistit</translation> </message> <message> <source>Level</source> <translation>rove</translation> </message> <message> <source>Help</source> <translation>Npovda</translation> </message> <message> <source>Failed to load menu %1</source> <translation>Nepodailo se nahrt nabdku %1</translation> </message> <message> <source>Failed to add command %1</source> <translation>Nepodailo se pidat pkaz %1</translation> </message> <message> <source>Cannot open menubar settings file %1</source> <translation>Nepodailo se otevt soubor s nastaven pruhu s nabdkou %1</translation> </message> <message> <source>Failed to create menubar</source> <translation>Nepodailo se vytvoit pruh s nabdkou</translation> </message> <message> <source>Project Management</source> <translation>Sprva projektu</translation> </message> <message> <source>Import</source> <translation>Zavst</translation> </message> <message> <source>Export</source> <translation>Vyvst</translation> </message> <message> <source>Script</source> <translation>Skript</translation> </message> <message> <source>Group</source> <translation>Seskupit</translation> </message> <message> <source>Arrange</source> <translation>Uspodat</translation> </message> <message> <source>New</source> <translation>Nov</translation> </message> <message> <source>Adjust</source> <translation>Pizpsobit</translation> </message> <message> <source>Optimize</source> <translation>Odladit</translation> </message> <message> <source>Convert</source> <translation>Pevst</translation> </message> <message> <source>Drawing Substitution</source> <translation>Nahrazen kresby</translation> </message> <message> <source>Play</source> <translation>Pehrt</translation> </message> <message> <source>Workspace</source> <translation>Pracovn plocha</translation> </message> </context> <context> <name>StartupPopup</name> <message> <source>OpenToonz Startup</source> <translation>Sputn OpenToonz</translation> </message> <message> <source>Choose Project</source> <translation type="vanished">Vybrat projekt</translation> </message> <message> <source>Create a New Scene</source> <translation>Vytvoit nov vjev</translation> </message> <message> <source>Open Scene</source> <translation type="vanished">Otevt zbr</translation> </message> <message> <source>Scene Name:</source> <translation>Nzev vjevu:</translation> </message> <message> <source>Width:</source> <translation>ka:</translation> </message> <message> <source>Height:</source> <translation>Vka:</translation> </message> <message> <source>DPI:</source> <translation>DPI:</translation> </message> <message> <source>X</source> <translation>X</translation> </message> <message> <source>Resolution:</source> <translation>Rozlien:</translation> </message> <message> <source>Frame Rate:</source> <translation>Snmkovn:</translation> </message> <message> <source>Add</source> <translation>Pidat</translation> </message> <message> <source>Remove</source> <translation>Odstranit</translation> </message> <message> <source>Show this at startup</source> <translation>Ukzat toto pi sputn</translation> </message> <message> <source>Create Scene</source> <translation>Vytvoit vjev</translation> </message> <message> <source>New Project...</source> <translation>Nov projekt...</translation> </message> <message> <source>Open Another Scene...</source> <translation>Otevt dal vjev...</translation> </message> <message> <source>pixel</source> <translation>obrazov bod (pixel)</translation> </message> <message> <source>cm</source> <translation>cm</translation> </message> <message> <source>mm</source> <translation>mm</translation> </message> <message> <source>inch</source> <translation>palec</translation> </message> <message> <source>field</source> <translation>pole</translation> </message> <message> <source>Save In:</source> <translation>Uloit v:</translation> </message> <message> <source>Camera Size:</source> <translation>Velikost kamery:</translation> </message> <message> <source>Units:</source> <translation>Jednotky:</translation> </message> <message> <source>No Recent Scenes</source> <translation>dn nedvn vjevy</translation> </message> <message> <source>The name cannot be empty.</source> <translation>Nzev neme bt przdn.</translation> </message> <message> <source>The chosen file path is not valid.</source> <translation type="vanished">Vybran souborov cesta je neplatn.</translation> </message> <message> <source>The frame rate must be 1 or more.</source> <translation>Rychlost snmkovn mus bt 1 nebo vce.</translation> </message> <message> <source>Preset name</source> <translation>Nzev pednastaven</translation> </message> <message> <source>Enter the name for %1</source> <translation>Zadejte nzev pro %1</translation> </message> <message> <source>Error : Preset Name is Invalid</source> <translation>Chyba: Nzev pednastaven je neplatn</translation> </message> <message> <source>The preset name must not use &apos;,&apos;(comma).</source> <translation>Nzev pednastaven nesm pouvat&apos;,&apos;(rku).</translation> </message> <message> <source>Bad camera preset</source> <translation>patn pednastaven kamery</translation> </message> <message> <source>&apos;%1&apos; doesn&apos;t seem to be a well formed camera preset. Possibly the preset file has been corrupted</source> <translation>Zd se, e &apos;%1&apos; nen dobe utvoen pednastaven kamery. Mon byl soubor s pednastavenm pokozen</translation> </message> <message> <source>Automatically Save Every </source> <translation>Uloit automaticky kadch </translation> </message> <message> <source>Minutes</source> <translation>minut</translation> </message> <message> <source>The width must be greater than zero.</source> <translation>ka mus bt vt ne nula.</translation> </message> <message> <source>The height must be greater than zero.</source> <translation>Vka mus bt vt ne nula.</translation> </message> <message> <source>Current Project</source> <translation>Nynj projekt</translation> </message> <message> <source>Recent Scenes [Project]</source> <translation>Nedvn vjevy [Projekt]</translation> </message> <message> <source>Failed to create the folder.</source> <translation>Nepodailo se vytvoit sloku.</translation> </message> <message> <source>Open Project...</source> <translation type="unfinished"></translation> </message> <message> <source>Explore Folder</source> <translation type="unfinished"></translation> </message> <message> <source>Open Existing Scene</source> <translation type="unfinished"></translation> </message> <message> <source>New Scene</source> <translation type="unfinished">Nov vjev</translation> </message> </context> <context> <name>StopMotion</name> <message> <source>No</source> <comment>frame id</comment> <translation>Ne</translation> </message> <message> <source>No level name specified: please choose a valid level name</source> <translation>Pro soubor nestanoven dn nzev rovn: Zvolte, prosm, platn nzev pro rove</translation> </message> <message> <source>The level name specified is already used: please choose a different level name.</source> <translation>Nzev rovn se ji pouv: Zvolte, prosm, jin nzev.</translation> </message> <message> <source>The save in path specified does not match with the existing level.</source> <translation>Zadan cesta pro Uloit v neodpovd existujc rovni.</translation> </message> <message> <source>The captured image size does not match with the existing level.</source> <translation>Velikost zachycenho obrzku neodpovd existujc rovni.</translation> </message> <message> <source>File %1 already exists. Do you want to overwrite it?</source> <translation>Soubor %1 ji existuje. Chcete jej pepsat?</translation> </message> <message> <source>Failed to load %1.</source> <translation>Nepodailo se nahrt %1.</translation> </message> <message> <source>Folder %1 doesn&apos;t exist. Do you want to create it?</source> <translation>Sloka %1 neexistuje. Chcete ji vytvoit?</translation> </message> <message> <source>Unable to create</source> <translation>Nelze vytvoit</translation> </message> <message> <source>UNDEFINED WARNING</source> <translation>NEUREN VAROVN</translation> </message> <message> <source>The level is not registered in the scene, but exists in the file system.</source> <translation>rove nen zaregistrovna ve vjevu, ale existuje v souborovm systmu.</translation> </message> <message> <source> WARNING : Image size mismatch. The saved image size is %1 x %2.</source> <translation> VAROVN: Nesoulad ve velikosti obrzku. Velikost uloenho obrzku je %1 x %2.</translation> </message> <message> <source>WARNING </source> <translation>VAROVN </translation> </message> <message> <source> Frame %1 exists.</source> <translation> Snmek %1 existuje.</translation> </message> <message> <source> Frames %1 exist.</source> <translation> Snmky%1 existuj.</translation> </message> <message> <source>OVERWRITE 1 of</source> <translation>PEPSN 1</translation> </message> <message> <source>ADD to</source> <translation>PIDAT do</translation> </message> <message> <source> %1 frame</source> <translation> %1 snmek</translation> </message> <message> <source> %1 frames</source> <translation> %1 snmk</translation> </message> <message> <source>The level will be newly created.</source> <translation>rove bude nov vytvoena.</translation> </message> <message> <source>NEW</source> <translation>NOV</translation> </message> <message> <source>The level is already registered in the scene.</source> <translation>rove je ji zaregistrovna ve vjevu.</translation> </message> <message> <source> NOTE : The level is not saved.</source> <translation> POZNMKA: rove nen uloena.</translation> </message> <message> <source> WARNING : Failed to get image size of the existing level %1.</source> <translation> VAROVN: Nepodailo se zskat velikost obrzku stvajc rovn %1.</translation> </message> <message> <source> WARNING : Image size mismatch. The existing level size is %1 x %2.</source> <translation> VAROVN: Nesoulad ve velikosti obrzku. Velikost stvajc rovn je %1 x %2.</translation> </message> <message> <source>WARNING : Level name conflicts. There already is a level %1 in the scene with the path %2.</source> <translation>VAROVN: Stety v nzvu rovn. Ve vjevu ji je rove %1 s cestou %2.</translation> </message> <message> <source> WARNING : Image size mismatch. The size of level with the same name is is %1 x %2.</source> <translation> VAROVN: Nesoulad ve velikosti obrzku. Velikost rovn se stejnm nzvem je %1 x %2.</translation> </message> <message> <source>WARNING : Level path conflicts. There already is a level with the path %1 in the scene with the name %2.</source> <translation>VAROVN: Stety v cest rovn. Ve vjevu ji je rove %1 s cestou %2.</translation> </message> <message> <source> WARNING : Image size mismatch. The size of level with the same path is %1 x %2.</source> <translation> VAROVN: Nesoulad ve velikosti obrzku. Velikost rovn se stejnou cestou je %1 x %2.</translation> </message> <message> <source>WARNING</source> <translation>VAROVN</translation> </message> <message> <source>No camera selected.</source> <translation>Nevybrna dn kamera.</translation> </message> <message> <source>Please start live view before capturing an image.</source> <translation>Ped pozenm snmku spuste iv nhled.</translation> </message> <message> <source>Cannot capture webcam image unless live view is active.</source> <translation type="vanished">Nelze podit snmek webov kamery, pokud nen zapnuto iv zobrazen.</translation> </message> <message> <source>Please start live view before using time lapse.</source> <translation>Ped pouitm asov prodlevy spuste iv nhled.</translation> </message> <message> <source>Cannot capture image unless live view is active.</source> <translation>Nelze podit snmek, pokud nen zapnuto iv zobrazen.</translation> </message> <message> <source>No level exists with the current name.</source> <translation>Neexistuje dn rove se souasnm nzvem.</translation> </message> <message> <source>This is not an image level.</source> <translation>Toto nen rove obrzku.</translation> </message> <message> <source>This is not a stop motion level.</source> <translation>Toto nen rove pooknkov (fzov) animace.</translation> </message> <message> <source>Could not find an xsheet level with the current level</source> <translation>Nepodailo se najt tabulku s nynj rovn</translation> </message> <message> <source>No export path given.</source> <translation>Nebyla zadna dn cesta pro vyveden.</translation> </message> <message> <source>Could not find the source file.</source> <translation>Nepodailo se najt zdrojov soubor.</translation> </message> <message> <source>Overwrite existing files?</source> <translation>Pepsat stvajc soubory?</translation> </message> <message> <source>An error occurred. Aborting.</source> <translation>Vyskytla se chyba. Peruuje se.</translation> </message> <message> <source>Successfully exported %1 images.</source> <translation>spn vyvedeno %1 obrzk.</translation> </message> </context> <context> <name>StopMotionController</name> <message> <source>Controls</source> <translation>Ovldn</translation> </message> <message> <source>Settings</source> <translation>Nastaven</translation> </message> <message> <source>Options</source> <translation>Volby</translation> </message> <message> <source>Resolution: </source> <translation>Rozlien: </translation> </message> <message> <source>Refresh</source> <translation>Obnovit</translation> </message> <message> <source>File</source> <translation>Soubor</translation> </message> <message> <source>Webcam Settings...</source> <translation>Nastaven webkamery...</translation> </message> <message> <source>Capture</source> <translation>Zachytvn</translation> </message> <message> <source>Next Level</source> <translation>Dal rove</translation> </message> <message> <source>Next New</source> <translation>Dal nov</translation> </message> <message> <source>Previous Level</source> <translation>Pedchoz rove</translation> </message> <message> <source>Next Frame</source> <translation>Dal snmek</translation> </message> <message> <source>Last Frame</source> <translation>Posledn snmek</translation> </message> <message> <source>Previous Frame</source> <translation>Pedchoz snmek</translation> </message> <message> <source>Next XSheet Frame</source> <translation>Dal snmek v zbru</translation> </message> <message> <source>Previous XSheet Frame</source> <translation>Pedchoz snmek v zbru</translation> </message> <message> <source>Current Frame</source> <translation>Nynj snmek</translation> </message> <message> <source>Set to the Current Playhead Location</source> <translation>Nastavit na nynj polohu ukazatele pehrvn</translation> </message> <message> <source>Start Live View</source> <translation>Spustit iv pohled</translation> </message> <message> <source>Zoom</source> <translation type="vanished">Zvten</translation> </message> <message> <source>Pick Zoom</source> <translation type="vanished">Zvolit zvten</translation> </message> <message> <source>&lt;</source> <translation>&lt;</translation> </message> <message> <source>&gt;</source> <translation>&gt;</translation> </message> <message> <source>&lt;&lt;</source> <translation>&lt;&lt;</translation> </message> <message> <source>&gt;&gt;</source> <translation>&gt;&gt;</translation> </message> <message> <source>&lt;&lt;&lt;</source> <translation>&lt;&lt;&lt;</translation> </message> <message> <source>&gt;&gt;&gt;</source> <translation>&gt;&gt;&gt;</translation> </message> <message> <source>Camera:</source> <translation>Kamera:</translation> </message> <message> <source>Name:</source> <translation>Nzev:</translation> </message> <message> <source>Frame:</source> <translation>Snmek:</translation> </message> <message> <source>File Type:</source> <translation>Typ souboru:</translation> </message> <message> <source>Save In:</source> <translation>Uloit v:</translation> </message> <message> <source>XSheet Frame:</source> <translation>Snmek zbru:</translation> </message> <message> <source>Camera Model</source> <translation>Model kamery</translation> </message> <message> <source>Camera Mode</source> <translation>Reim kamery</translation> </message> <message> <source>Temperature: </source> <translation>Teplota: </translation> </message> <message> <source>Shutter Speed: </source> <translation>Rychlost zvrky: </translation> </message> <message> <source>Iso: </source> <translation>ISO: </translation> </message> <message> <source>Aperture: </source> <translation>Clona: </translation> </message> <message> <source>Exposure: </source> <translation>Osvit: </translation> </message> <message> <source>Image Quality: </source> <translation>Jakost obrzku: </translation> </message> <message> <source>Picture Style: </source> <translation>Styl obrzku: </translation> </message> <message> <source>White Balance: </source> <translation>Vyven bl: </translation> </message> <message> <source>Webcam Options</source> <translation>Volby webkamery</translation> </message> <message> <source>DSLR Options</source> <translation>Volby DSLR</translation> </message> <message> <source>Place the frame in the XSheet</source> <translation>Umstit snmek v zbru</translation> </message> <message> <source>Use Direct Show Webcam Drivers</source> <translation>Pout ovladae webkamery Direct Show</translation> </message> <message> <source>Black Screen for Capture</source> <translation type="vanished">ern obrazovka pro zachycen</translation> </message> <message> <source>Use Reduced Resolution Images</source> <translation>Pout obrzky se zmenenm rozlienm</translation> </message> <message> <source>Use MJPG with Webcam</source> <translation>Pout MJPG s webkamerou</translation> </message> <message> <source>Place on XSheet</source> <translation>Umstit v zbru</translation> </message> <message> <source>Use Numpad Shortcuts When Active</source> <translation>Pout klvesov zkratky seln klvesnice, kdy je inn</translation> </message> <message> <source>Show Live View on All Frames</source> <translation>Ukzat iv pohled na vechny snmky</translation> </message> <message> <source>Capture Review Time: </source> <translation>as zmny pi zachytvn: </translation> </message> <message> <source>Level Subsampling: </source> <translation type="vanished">Podvzorkovn rovn: </translation> </message> <message> <source>Opacity:</source> <translation>Neprhlednost:</translation> </message> <message> <source>No camera detected.</source> <translation>Nezjitna dn kamera.</translation> </message> <message> <source>No camera detected</source> <translation>Nezjitna dn kamera</translation> </message> <message> <source>- Select camera -</source> <translation>- Vybrat kameru -</translation> </message> <message> <source>Mode: </source> <translation>Reim: </translation> </message> <message> <source>Auto</source> <translation>Automaticky</translation> </message> <message> <source>Disabled</source> <translation>Zakzno</translation> </message> <message> <source>Stop Live View</source> <translation>Zastavit iv pohled</translation> </message> <message> <source>Light</source> <translation>Svtlo</translation> </message> <message> <source>Motion</source> <translation>Pohyb</translation> </message> <message> <source>Camera Status</source> <translation>Stav kamery</translation> </message> <message> <source>Show original live view images in timeline</source> <translation>Zobrazit pvodn obrzky ivho nhledu na asov ose</translation> </message> <message> <source>Check</source> <translation>Kontrolovat</translation> </message> <message> <source>Zoom in to check focus</source> <translation>Piblit pro kontrolu zamen</translation> </message> <message> <source>Pick</source> <translation>Zvolit</translation> </message> <message> <source>Set focus check location</source> <translation>Nastavit msto pro kontrolu zamen</translation> </message> <message> <source>Select a camera to change settings.</source> <translation>Vyberte kameru a zmte nastaven.</translation> </message> <message> <source>insert webcam name here</source> <translation>Zde zadejte nzev webov kamery</translation> </message> <message> <source>Manual Focus</source> <translation>Run zamen</translation> </message> <message> <source>Focus: </source> <translation>Zamen: </translation> </message> <message> <source>Brightness: </source> <translation>Jas: </translation> </message> <message> <source>Contrast: </source> <translation>Kontrast: </translation> </message> <message> <source>Gain: </source> <translation>Zeslen: </translation> </message> <message> <source>Saturation: </source> <translation>Sytost: </translation> </message> <message> <source>More</source> <translation>Vce</translation> </message> <message> <source>Time Lapse</source> <translation type="vanished">asov prodleva</translation> </message> <message> <source>Use time lapse</source> <translation type="vanished">Pout asovou prodlevu</translation> </message> <message> <source>Interval(sec):</source> <translation>Interval (s):</translation> </message> <message> <source>Blackout all Screens</source> <translation>Zatemnn vech obrazovek</translation> </message> <message> <source>Test</source> <translation>Zkouka</translation> </message> <message> <source>Screen 1</source> <translation>Obrazovka 1</translation> </message> <message> <source>Screen 2</source> <translation>Obrazovka 2</translation> </message> <message> <source>Screen 3</source> <translation>Obrazovka 3</translation> </message> <message> <source>Motion Control</source> <translation>Ovldn pohybu</translation> </message> <message> <source>Port: </source> <translation>Ppojka: </translation> </message> <message> <source> - Battery: </source> <translation> - Baterie: </translation> </message> <message> <source>Aperture: Auto</source> <translation>Clona: Automaticky</translation> </message> <message> <source>Shutter Speed: Auto</source> <translation>Rychlost zvrky: Automaticky</translation> </message> <message> <source>Start Capturing</source> <translation>Spustit zachytvn</translation> </message> <message> <source>Stop Capturing</source> <translation>Zastavit zachytvn</translation> </message> <message> <source>Use Time Lapse</source> <translation type="unfinished"></translation> </message> <message> <source>Requires restarting camera when toggled NP 1 = Previous Frame NP 2 = Next Frame NP 3 = Jump To Camera NP 5 = Toggle Live View NP 6 = Short Play NP 8 = Loop NP 0 = Play Period = Use Live View Images Plus = Raise Opacity Minus = Lower Opacity Enter = Capture BackSpace = Remove Frame Multiply = Toggle Zoom Divide = Focus Check</source> <translation type="unfinished"></translation> </message> <message> <source>Show Camera Below Other Levels</source> <translation type="unfinished"></translation> </message> <message> <source>Play Sound on Capture</source> <translation type="unfinished"></translation> </message> <message> <source>Make a click sound on each capture</source> <translation type="unfinished"></translation> </message> </context> <context> <name>StopMotionSerial</name> <message> <source>No Device</source> <translation>dn zazen</translation> </message> </context> <context> <name>SubCameraButton</name> <message> <source>Save Current Subcamera</source> <translation type="unfinished"></translation> </message> <message> <source>Delete Preset</source> <translation type="unfinished"></translation> </message> <message> <source>Delete %1</source> <translation type="unfinished"></translation> </message> <message> <source>Overwriting the existing subcamera preset. Are you sure?</source> <translation type="unfinished"></translation> </message> <message> <source>Question</source> <translation type="unfinished"></translation> </message> <message> <source>Deleting the subcamera preset %1. Are you sure?</source> <translation type="unfinished"></translation> </message> </context> <context> <name>SubSheetBar</name> <message> <source>Sub-scene controls: Click the arrow button to create a new sub-xsheet</source> <translation type="vanished">Ovldn podzbru: Klepnte na tlatko pro vytvoen novho pod-Xsheet</translation> </message> <message> <source>Disable Edit in Place</source> <translation type="vanished">Zakzat pravy v mst</translation> </message> <message> <source>Enable Edit in Place</source> <translation type="vanished">Povolit pravy v mst</translation> </message> <message> <source>Exit Sub-xsheet (1 Level Up)</source> <translation type="vanished">Zavt pod-xsheet (1 rove nahoru)</translation> </message> <message> <source>Exit Sub-xsheet (2 Levels Up)</source> <translation type="vanished">Zavt pod-xsheet (2 rovn nahoru)</translation> </message> <message> <source>Exit Sub-xsheet (3 or More Levels Up)</source> <translation type="vanished">Zavt pod-xsheet (3 rovn nahoru)</translation> </message> <message> <source>Enter Sub-xsheet</source> <translation type="vanished">Upravit pod-xsheet</translation> </message> <message> <source>Current Scene</source> <translation type="vanished">Nynj zbr</translation> </message> </context> <context> <name>T</name> <message> <source>Nothing to replace: no cells or columns selected.</source> <translation type="obsolete">Es gibt nichts zum ersetzen: Es wurden weder Cells noch Spalten gewhlt.</translation> </message> </context> <context> <name>TApp</name> <message> <source>Error allocating memory: not enough memory.</source> <translation>Chyba pi pidlovn pamti: Nen dost pamti.</translation> </message> <message> <source>It is not possible to save automatically an untitled scene.</source> <translation type="vanished">Nelze uloit nepojmenovan zbr.</translation> </message> </context> <context> <name>TPanelTitleBarButtonForPreview</name> <message> <source>Current frame</source> <translation type="unfinished"></translation> </message> <message> <source>All preview range frames</source> <translation type="unfinished"></translation> </message> <message> <source>Selected cells - Auto play</source> <translation type="unfinished"></translation> </message> </context> <context> <name>TaskSheet</name> <message> <source>Name:</source> <translation>Nzev:</translation> </message> <message> <source>Status:</source> <translation>Stav:</translation> </message> <message> <source>Command Line:</source> <translation>Pkazov dek:</translation> </message> <message> <source>Server:</source> <translation>Server:</translation> </message> <message> <source>Submitted By:</source> <translation>Odeslatel:</translation> </message> <message> <source>Submitted On:</source> <translation>Poslno:</translation> </message> <message> <source>Submission Date:</source> <translation>Datum odesln:</translation> </message> <message> <source>Start Date:</source> <translation>Datum sputn:</translation> </message> <message> <source>Completion Date:</source> <translation>Datum dokonen:</translation> </message> <message> <source>Duration:</source> <translation>Doba trvn:</translation> </message> <message> <source>Step Count:</source> <translation>Poet krok:</translation> </message> <message> <source>Failed Steps:</source> <translation>Poet selhavch krok:</translation> </message> <message> <source>Successfull Steps:</source> <translation type="vanished">Poet spnch krok:</translation> </message> <message> <source>Priority:</source> <translation>Pednost:</translation> </message> <message> <source>Output:</source> <translation>Vstup:</translation> </message> <message> <source>Frames per Chunk:</source> <translation>Snmk na kousek:</translation> </message> <message> <source>From:</source> <translation>Od snmku:</translation> </message> <message> <source>To:</source> <translation>Ke snmku:</translation> </message> <message> <source>Step:</source> <translation>Krok:</translation> </message> <message> <source>Shrink:</source> <translation>Zmenit:</translation> </message> <message> <source>Multiple Rendering:</source> <translation type="vanished">Vcensobn zpracovn:</translation> </message> <message> <source>None</source> <translation>dn</translation> </message> <message> <source>Fx Schematic Flows</source> <translation>Tok nkresu zvltnho efektu</translation> </message> <message> <source>Fx Schematic Terminal Nodes</source> <translation>Vrcholn uzly nkresu efektu</translation> </message> <message> <source>Dedicated CPUs:</source> <translation>Pslun procesory (CPU):</translation> </message> <message> <source>Single</source> <translation>Jeden</translation> </message> <message> <source>Half</source> <translation>Polovina</translation> </message> <message> <source>All</source> <translation>Ve</translation> </message> <message> <source>Render Tile:</source> <translation>Dladice zpracovn:</translation> </message> <message> <source>Large</source> <translation>Velk</translation> </message> <message> <source>Medium</source> <translation>Stedn</translation> </message> <message> <source>Small</source> <translation>Mal</translation> </message> <message> <source>Visible Only</source> <translation>Jen viditeln</translation> </message> <message> <source>Overwrite</source> <translation>Pepsat</translation> </message> <message> <source>Dependencies:</source> <translation>Zvislosti:</translation> </message> <message> <source>Remove -&gt;</source> <translation type="vanished">Odstranit -&gt;</translation> </message> <message> <source>&lt;- Add</source> <translation type="vanished">&lt;- Pidat</translation> </message> <message> <source>Multimedia:</source> <translation>Zpracovat vce:</translation> </message> <message> <source>NoPaint</source> <translation>Pepsat jen NoPaint</translation> </message> <message> <source>Off</source> <translation>Vypnuto</translation> </message> <message> <source>Remove &gt;&gt;</source> <translation>Odstranit &gt;&gt;</translation> </message> <message> <source>&lt;&lt; Add</source> <translation>&lt;&lt; Pidat</translation> </message> <message> <source>Successful Steps:</source> <translation>spn kroky:</translation> </message> <message> <source>Suspended</source> <translation>Pozastaveno</translation> </message> <message> <source>Waiting</source> <translation>ek se</translation> </message> <message> <source>Running</source> <translation>B</translation> </message> <message> <source>Completed</source> <translation>Dokoneno</translation> </message> <message> <source>Failed</source> <translation>Selhalo</translation> </message> <message> <source>TaskUnknown</source> <translation>lohaNeznm</translation> </message> </context> <context> <name>TaskTreeModel</name> <message> <source>Are you sure you want to remove ALL tasks?</source> <translation>Opravdu chcete smazat vechny lohy?</translation> </message> <message> <source>Remove All</source> <translation>Odstranit ve</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> </context> <context> <name>TaskTreeView</name> <message> <source>Start</source> <translation>Spustit</translation> </message> <message> <source>Stop</source> <translation>Zastavit</translation> </message> <message> <source>Remove</source> <translation>Odstranit</translation> </message> </context> <context> <name>TasksViewer</name> <message> <source>&amp;Start</source> <translation>&amp;Spustit</translation> </message> <message> <source>&amp;Stop</source> <translation>&amp;Zastavit</translation> </message> <message> <source>&amp;Add Render Task</source> <translation>&amp;Pidat lohu zpracovn</translation> </message> <message> <source>&amp;Add Cleanup Task</source> <translation>&amp;Pidat lohu vyitn</translation> </message> <message> <source>&amp;Save Task List</source> <translation>&amp;Uloit seznam loh</translation> </message> <message> <source>&amp;Save Task List As</source> <translation>&amp;Uloit seznam loh jako</translation> </message> <message> <source>&amp;Load Task List</source> <translation>&amp;Nahrt seznam loh</translation> </message> <message> <source>&amp;Remove</source> <translation>&amp;Odstranit</translation> </message> <message> <source>Start</source> <translation>Spustit</translation> </message> <message> <source>Stop</source> <translation>Zastavit</translation> </message> <message> <source>Add Render</source> <translation>Pidat lohu zpracovn</translation> </message> <message> <source>Add Cleanup</source> <translation>Pidat lohu vyitn</translation> </message> <message> <source>Save</source> <translation>Uloit</translation> </message> <message> <source>Save As</source> <translation>Uloit jako</translation> </message> <message> <source>Load</source> <translation>Nahrt</translation> </message> <message> <source>Remove</source> <translation>Odstranit</translation> </message> </context> <context> <name>TestPanel</name> <message> <source>Left:</source> <translation>Lev:</translation> </message> <message> <source>Right:</source> <translation>Prav:</translation> </message> </context> <context> <name>TimeStretchPopup</name> <message> <source>Time Stretch</source> <translation>Prothnut asu</translation> </message> <message> <source>Selected Cells</source> <translation>Vybran buky</translation> </message> <message> <source>Selected Frame Range</source> <translation>Vybran rozsah snmku</translation> </message> <message> <source>Whole Xsheet</source> <translation>Cel zbr</translation> </message> <message> <source>Stretch:</source> <translation>Prothnut:</translation> </message> <message> <source>Old Range:</source> <translation>Pedchoz rozsah:</translation> </message> <message> <source>Stretch</source> <translation>Prothnut</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>New Range:</source> <translation>Nov rozsah:</translation> </message> </context> <context> <name>TimelineWidget</name> <message> <source>Recent Version</source> <translation>Nynj verze</translation> </message> <message> <source>Older Version</source> <translation>Star verze</translation> </message> </context> <context> <name>Toolbar</name> <message> <source>Collapse toolbar</source> <translation>Sbalit nstrojov pruh</translation> </message> <message> <source>Expand toolbar</source> <translation>Rozbalit nstrojov pruh</translation> </message> </context> <context> <name>TopBar</name> <message> <source>Lock Rooms Tab</source> <translation>Uzamknout kartu prostoru</translation> </message> </context> <context> <name>TrackerPopup</name> <message> <source>Tracking Settings</source> <translation>Nastaven sledovn</translation> </message> <message> <source>Threshold:</source> <translation>Prahov hodnota:</translation> </message> <message> <source>Sensitivity:</source> <translation>Citlivost:</translation> </message> <message> <source>Variable Region Size</source> <translation>Promnliv velikost oblasti</translation> </message> <message> <source>Include Background</source> <translation>Zahrnout pozad</translation> </message> <message> <source>Processing...</source> <translation>Zpracovv se...</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Track</source> <translation>Stopa</translation> </message> </context> <context> <name>VectorGuidedDrawingPane</name> <message> <source>Off</source> <translation>Vypnuto</translation> </message> <message> <source>Closest</source> <translation>Nejble</translation> </message> <message> <source>Farthest</source> <translation>Nejdle</translation> </message> <message> <source>All</source> <translation>Ve</translation> </message> <message> <source>Auto Inbetween</source> <translation>Automaticky mezilehl snmky</translation> </message> <message> <source>Linear</source> <translation>Linern</translation> </message> <message> <source>Ease In</source> <translation>Zpomalen na zatku</translation> </message> <message> <source>Ease Out</source> <translation>Zpomalen na konci</translation> </message> <message> <source>EaseIn/Out</source> <translation>Zpomalen na zatku/na konci</translation> </message> <message> <source>Previous</source> <translation>Pedchoz</translation> </message> <message> <source>Next</source> <translation>Dal</translation> </message> <message> <source>Both</source> <translation>Ob</translation> </message> <message> <source>Reset</source> <translation>Obnovit vchoz</translation> </message> <message> <source>Tween Selected Guide Strokes</source> <translation>Mezilehl snmky mezi vybranmi vodicmi tahy</translation> </message> <message> <source>Tween Guide Strokes to Selected</source> <translation>Mezilehl snmky od vodicch tah a do vybranch</translation> </message> <message> <source>Select Guide Strokes &amp;&amp; Tween Mode</source> <translation>Vybrat vodic tahy &amp;a reim mezilehlch snmk</translation> </message> <message> <source>Guide Frames:</source> <translation>Vodic snmky:</translation> </message> <message> <source>Select Guide Stroke:</source> <translation>Vybrat vodic tah:</translation> </message> <message> <source>Flip Guide Stroke:</source> <translation>Pevrtit vodic tah:</translation> </message> <message> <source>Interpolation:</source> <translation>Interpolace:</translation> </message> </context> <context> <name>VectorizerPopup</name> <message> <source>Convert-to-Vector Settings</source> <translation>Nastaven peveden na vektory</translation> </message> <message> <source>The current selection is invalid.</source> <translation>Nynj vbr je neplatn.</translation> </message> <message> <source>Cannot convert to vector the current selection.</source> <translation>Vybranou oblast nelze pevst na vektory.</translation> </message> <message> <source>Centerline</source> <translation>Stedov ra</translation> </message> <message> <source>Outline</source> <translation>Obrys</translation> </message> <message> <source>Preserve Painted Areas</source> <translation>Zachovat vyplnn plochy</translation> </message> <message> <source>TLV Levels</source> <translation>rovn TLV</translation> </message> <message> <source>Convert</source> <translation>Pevst</translation> </message> <message> <source>Add Border</source> <translation>Pidat okraj</translation> </message> <message> <source>Conversion in progress: </source> <translation>Probh pevod: </translation> </message> <message> <source>Raster Levels</source> <translation>rovn rastru</translation> </message> <message> <source>Toggle Swatch Preview</source> <translation>Pepnout nhled na vzorek</translation> </message> <message> <source>Toggle Centerlines Check</source> <translation>Pepnout oven stedov ry</translation> </message> <message> <source>Corners</source> <translation>Rohy</translation> </message> <message> <source>Start:</source> <translation>Zatek:</translation> </message> <message> <source>End:</source> <translation>Konec:</translation> </message> <message> <source>Full color non-AA images</source> <translation>Pln barva ne-AA obrzky</translation> </message> <message> <source>Enhanced ink recognition</source> <translation>Rozpoznn vylepenho inkoustu</translation> </message> <message> <source>Save Settings</source> <translation>Uloit nastaven</translation> </message> <message> <source>Load Settings</source> <translation>Nahrt nastaven</translation> </message> <message> <source>Reset Settings</source> <translation>Obnovit vchoz nastaven</translation> </message> <message> <source>File could not be opened for read</source> <translation>Soubor se nepodailo otevt pro ten</translation> </message> <message> <source>File could not be opened for write</source> <translation>Soubor se nepodailo otevt pro zpis</translation> </message> <message> <source>Save Vectorizer Parameters</source> <translation>Uloit parametry pevodu na vektory</translation> </message> <message> <source>Load Vectorizer Parameters</source> <translation>Nahrt parametry pevodu na vektory</translation> </message> <message> <source>Mode</source> <translation>Reim</translation> </message> <message> <source>Threshold</source> <translation>Prh</translation> </message> <message> <source>Accuracy</source> <translation>Pesnost</translation> </message> <message> <source>Despeckling</source> <translation>Odstrann poruch</translation> </message> <message> <source>Max Thickness</source> <translation>Nejvt tlouka</translation> </message> <message> <source>Thickness Calibration</source> <translation>Porovnvn tlouky</translation> </message> <message> <source>Adherence</source> <translation>Udrovn</translation> </message> <message> <source>Angle</source> <translation>hel</translation> </message> <message> <source>Curve Radius</source> <translation>Polomr kivky</translation> </message> <message> <source>Max Colors</source> <translation>Nejvce barev</translation> </message> <message> <source>Transparent Color</source> <translation>Barva prhlednosti</translation> </message> <message> <source>Tone Threshold</source> <translation>Prahov hodnota barevnho tnu</translation> </message> <message> <source>Align Boundary Strokes Direction</source> <translation>Zarovnat smr hraninch tah</translation> </message> <message> <source>Align boundary strokes direction to be the same. (clockwise, i.e. left to right as viewed from inside of the shape)</source> <translation>Zarovnat smr hraninch tah tak, aby byl stejn. (ve smru hodinovch ruiek, tj. zleva doprava pi pohledu zevnit tvaru)</translation> </message> <message> <source>Options</source> <translation>Volby</translation> </message> </context> <context> <name>VersionControl</name> <message> <source>The version control configuration file is empty or wrongly defined. Please refer to the user guide for details.</source> <translation>Soubor s nastavenm sprvy verz je przdn nebo nesprvn vymezen. Podrobnosti najdete v uivatelsk pruce.</translation> </message> <message> <source>The version control client application specified on the configuration file cannot be found. Please refer to the user guide for details.</source> <translation>Klientskou aplikaci pro sprvu verz uvedenou v souboru s nastavenm nelze najt. Podrobnosti najdete v uivatelsk pruce.</translation> </message> <message> <source>The version control client application is not installed on your computer. Subversion 1.5 or later is required. Please refer to the user guide for details.</source> <translation>Ve vaem potai nen nainstalovna klientsk aplikace pro sprvu verz. Je vyadovna verze 1.5 nebo novj. Podrobnosti najdete v uivatelsk pruce.</translation> </message> <message> <source>The version control client application installed on your computer needs to be updated, otherwise some features may not be available. Subversion 1.5 or later is required. Please refer to the user guide for details.</source> <translation>Je nutn aktualizovat klientskou aplikaci pro sprvu verz nainstalovanou ve vaem potai, jinak nemus bt nkter funkce dostupn. Je vyadovna verze 1.5 nebo novj. Podrobnosti najdete v uivatelsk pruce.</translation> </message> </context> <context> <name>ViewerHistogramPopup</name> <message> <source>Viewer Histogram</source> <translation>Prohle histogramu</translation> </message> </context> <context> <name>XDTSImportPopup</name> <message> <source>Importing XDTS file %1</source> <translation>Zavd se soubor XDTS %1</translation> </message> <message> <source>Load</source> <translation>Nahrt</translation> </message> <message> <source>Cancel</source> <translation>Zruit</translation> </message> <message> <source>Please specify the level locations. Suggested paths are input in the fields with blue border.</source> <translation>Zadejte, prosm, umstn rovn. Navren cesty jsou vloeny v polch s modrm okrajem.</translation> </message> <message> <source>Level Name</source> <translation>Nzev rovn</translation> </message> <message> <source>Level Path</source> <translation>Cesta rovn</translation> </message> <message> <source>None</source> <translation type="unfinished"></translation> </message> <message> <source>Cell Mark for Inbetween Symbol 1 (O)</source> <translation type="unfinished"></translation> </message> <message> <source>Cell Mark for Inbetween Symbol 2 (*)</source> <translation type="unfinished"></translation> </message> </context> <context> <name>XsheetGUI::CellArea</name> <message> <source>Click to select keyframe, drag to move it</source> <translation>Klepnout pro vybrn klovho snmku, thnout pro posunut klovho snmku</translation> </message> <message> <source>Click and drag to set the acceleration range</source> <translation>Klepnout a thnout pro nastaven rozsahu zrychlen</translation> </message> <message> <source>Click and drag to set the deceleration range</source> <translation>Klepnout a thnout pro nastaven rozsahu zpomalen</translation> </message> <message> <source>Set the cycle of previous keyframes</source> <translation>Nastavit cyklus pedchozch klovch snmk</translation> </message> <message> <source>Click and drag to move the selection</source> <translation>Klepnout a thnout pro posunut vybran oblasti</translation> </message> <message> <source>Click and drag to play</source> <translation>Klepnout a thnout pro pehrvn vybran oblasti</translation> </message> <message> <source>Click and drag to repeat selected cells</source> <translation>Klepnout a thnout pro opakovn rvybranch bunk</translation> </message> <message> <source>Open Memo</source> <translation>Otevt memo</translation> </message> <message> <source>Delete Memo</source> <translation>Smazat memo</translation> </message> <message> <source>Reframe</source> <translation>Obnovit snmek</translation> </message> <message> <source>Step</source> <translation>Krok</translation> </message> <message> <source>Each</source> <translation>Jednotliv buky</translation> </message> <message> <source>Replace</source> <translation type="vanished">Nahradit</translation> </message> <message> <source>Edit Cell Numbers</source> <translation>Upravit sla bunk</translation> </message> <message> <source>Replace Level</source> <translation>Nahradit rove</translation> </message> <message> <source>Replace with</source> <translation>Nahradit s</translation> </message> <message> <source>Paste Special</source> <translation>Vloit zvltn</translation> </message> <message> <source>Edit Image</source> <translation>Upravit obrzek</translation> </message> <message> <source>Lip Sync</source> <translation type="unfinished"></translation> </message> <message> <source>Cell Mark</source> <translation type="unfinished"></translation> </message> <message> <source>None</source> <translation type="unfinished"></translation> </message> <message> <source>Interpolation on %1&apos;s</source> <translation type="unfinished"></translation> </message> </context> <context> <name>XsheetGUI::ChangeObjectParent</name> <message> <source>Table</source> <translation>Tabulka</translation> </message> </context> <context> <name>XsheetGUI::ColumnArea</name> <message> <source>Click to select camera</source> <translation>Klepnout pro vybrn kamery</translation> </message> <message> <source>Camera Stand Toggle</source> <translation type="vanished">Pepnout stav kamery</translation> </message> <message> <source>Render Toggle</source> <translation type="vanished">Pepnout pohled na zpracovn</translation> </message> <message> <source>Lock Toggle</source> <translation>Pepnout zmek</translation> </message> <message> <source>Click to play the soundtrack back</source> <translation>Klepnout pro pehrn zvukovho doprovodu</translation> </message> <message> <source>Set the volume of the soundtrack</source> <translation>Nastavit hlasitost zvukovho doprovodu</translation> </message> <message> <source>Click to select the type of motion path</source> <translation type="vanished">Klepnout pro vybrn typu cesty pohybu</translation> </message> <message> <source>Click to select column, drag to move it</source> <translation>Klepnout pro vybrn sloupce, thnout pro posunut sloupce</translation> </message> <message> <source>Click to unlink column</source> <translation type="vanished">Klepnout pro odpojen sloupce</translation> </message> <message> <source>Click and drag to link column</source> <translation type="vanished">Klepnout a thnout pro spojen sloupce</translation> </message> <message> <source>Master column of linked columns</source> <translation type="vanished">Hlavn sloupec spojench sloupc</translation> </message> <message> <source>&amp;Subsampling 1</source> <translation>&amp;Podvzorkovn 1</translation> </message> <message> <source>&amp;Subsampling 2</source> <translation>&amp;Podvzorkovn 2</translation> </message> <message> <source>&amp;Subsampling 3</source> <translation>&amp;Podvzorkovn 3</translation> </message> <message> <source>&amp;Subsampling 4</source> <translation>&amp;Podvzorkovn 4</translation> </message> <message> <source>Preview Visibility Toggle</source> <translation>Pepnout viditelnost nhledu</translation> </message> <message> <source>Camera Stand Visibility Toggle</source> <translation>Pepnout viditelnost stavu kamery</translation> </message> <message> <source>Alt + Click to Toggle Thumbnail</source> <translation>Alt+klepnut pro pepnut nhledu</translation> </message> <message> <source>Reframe</source> <translation>Obnovit snmek</translation> </message> <message> <source>Subsampling</source> <translation>Podvzorkovn</translation> </message> <message> <source>Click to select column</source> <translation>Klepnout pro vybrn sloupce</translation> </message> <message> <source>Click to select column, drag to move it, double-click to edit</source> <translation>Klepnout pro vybrn sloupce, thnout pro jeho posunut, dvojit klepnut pro upraven</translation> </message> <message> <source>Click to select column, double-click to edit</source> <translation>Klepnout pro vybrn sloupce, dvojit klepnut pro upraven</translation> </message> <message> <source>Additional column settings</source> <translation>Dodaten nastaven sloupce</translation> </message> <message> <source>&amp;Insert Before</source> <translation>&amp;Vloit ped</translation> </message> <message> <source>&amp;Insert After</source> <translation>&amp;Vloit po</translation> </message> <message> <source>&amp;Paste Insert Before</source> <translation>&amp;Vloit/Pidat ped</translation> </message> <message> <source>&amp;Paste Insert After</source> <translation>&amp;Vloit/Pidat po</translation> </message> <message> <source>&amp;Insert Below</source> <translation>&amp;Vloit pod</translation> </message> <message> <source>&amp;Insert Above</source> <translation>&amp;Vloit nad</translation> </message> <message> <source>&amp;Paste Insert Below</source> <translation>&amp;Vloit/Pidat pod</translation> </message> <message> <source>&amp;Paste Insert Above</source> <translation>&amp;Vloit/Pidat nad</translation> </message> <message> <source>Hide Camera Column</source> <translation>Skrt sloupec kamery</translation> </message> <message> <source>Show Camera Column</source> <translation>Ukzat sloupec kamery</translation> </message> <message> <source>Unlock</source> <translation type="unfinished">Odemknout</translation> </message> <message> <source>Lock</source> <translation type="unfinished"></translation> </message> <message> <source>Click to select parent handle</source> <translation type="unfinished"></translation> </message> <message> <source>Click to select parent object</source> <translation type="unfinished"></translation> </message> </context> <context> <name>XsheetGUI::ColumnTransparencyPopup</name> <message> <source>Filter:</source> <translation>Filtr:</translation> </message> <message> <source>Opacity:</source> <translation>Neprhlednost:</translation> </message> <message> <source>Lock Column</source> <translation type="unfinished"></translation> </message> </context> <context> <name>XsheetGUI::NoteArea</name> <message> <source>Frame</source> <translation>Snmek</translation> </message> <message> <source>Sec Frame</source> <translation>Sekundy-buky</translation> </message> <message> <source>6sec Sheet</source> <translation>strana 6&quot;</translation> </message> <message> <source>3sec Sheet</source> <translation>strana 3&quot;</translation> </message> <message> <source>Toggle Xsheet/Timeline</source> <translation>Pepnout zbr/asovou osu</translation> </message> <message> <source>Add New Memo</source> <translation>Pidat novou poznmku</translation> </message> <message> <source>Previous Memo</source> <translation>Pedchoz poznmka</translation> </message> <message> <source>Next Memo</source> <translation>Dal poznmka</translation> </message> </context> <context> <name>XsheetGUI::NotePopup</name> <message> <source>Memo</source> <translation>Memo</translation> </message> <message> <source>Post</source> <translation>Poslat</translation> </message> <message> <source>Discard</source> <translation>Zahodit</translation> </message> </context> <context> <name>XsheetGUI::RowArea</name> <message> <source>Onion Skin Toggle</source> <translation type="vanished">Pepnout cibulov vzhled</translation> </message> <message> <source>Current Frame</source> <translation>Nynj snmek</translation> </message> <message> <source>Relative Onion Skin Toggle</source> <translation>Pepnout relativn cibulov vzhled</translation> </message> <message> <source>Fixed Onion Skin Toggle</source> <translation>Pepnout pevn cibulov vzhled</translation> </message> <message> <source>Playback Start Marker</source> <translation>Pehrt znaku pro sputn</translation> </message> <message> <source>Playback End Marker</source> <translation>Pehrt znaku pro zastaven</translation> </message> <message> <source>Set Start Marker</source> <translation>Nastavit znaku pro sputn</translation> </message> <message> <source>Set Stop Marker</source> <translation>Nastavit znaku pro zastaven</translation> </message> <message> <source>Remove Markers</source> <translation>Odstranit znaky</translation> </message> <message> <source>Curren Frame</source> <translation type="vanished">Nynj snmek</translation> </message> <message> <source>Preview This</source> <translation>Jen nhled na tento snmek</translation> </message> <message> <source>Double Click to Toggle Onion Skin</source> <translation>Dvakrt klepnout pro pepnut cibulovho vzhledu</translation> </message> <message> <source>Pinned Center : Col%1%2</source> <translation>Pipendleno na sted: Col%1%2</translation> </message> <message> <source>Set Auto Markers</source> <translation>Nastavit automatick znaky</translation> </message> <message> <source>Click to Reset Shift &amp; Trace Markers to Neighbor Frames Hold F2 Key on the Viewer to Show This Frame Only</source> <translation>Klepnte pro znovunastaven znaky pro posunut a obkreslen (pauzovn kresby) na sousedn snmky Podrte klvesu F2 v prohlei pro ukzn pouze tohoto snmku</translation> </message> <message> <source>Click to Hide This Frame from Shift &amp; Trace Hold F1 Key on the Viewer to Show This Frame Only</source> <translation>Klepnte pro skryt tohoto snmku z posunut a obkreslen (pauzovn kresby) Podrte klvesu F1 v prohlei pro ukzn pouze tohoto snmku</translation> </message> <message> <source>Click to Hide This Frame from Shift &amp; Trace Hold F3 Key on the Viewer to Show This Frame Only</source> <translation>Klepnte pro skryt tohoto snmku z posunut a obkreslen (pauzovn kresby) Podrte klvesu F3 v prohlei pro ukzn pouze tohoto snmku</translation> </message> <message> <source>Click to Move Shift &amp; Trace Marker</source> <translation>Klepnte pro pesunut znaky pro posunut a obkreslen (pauzovn kresby)</translation> </message> <message> <source>Tag: %1</source> <translation type="unfinished"></translation> </message> <message> <source>Tags</source> <translation type="unfinished"></translation> </message> <message> <source>Frame %1</source> <translation type="unfinished"></translation> </message> </context> <context> <name>XsheetGUI::SoundColumnPopup</name> <message> <source>Volume:</source> <translation>Hlasitost:</translation> </message> </context> <context> <name>XsheetGUI::XSheetToolbar</name> <message> <source>Customize XSheet Toolbar</source> <translation>Pizpsobit nstrojov pruh zbru</translation> </message> </context> <context> <name>XsheetPdfPreviewArea</name> <message> <source>Fit To Window</source> <translation type="unfinished">Pizpsobit oknu</translation> </message> </context> <context> <name>XsheetViewer</name> <message> <source>Untitled</source> <translation>Bez nzvu</translation> </message> <message> <source>Scene: </source> <translation>Vjev: </translation> </message> <message> <source> Frames</source> <translation> Snmky</translation> </message> <message> <source> (Sub)</source> <translation> (Sub-)</translation> </message> <message> <source> Level: </source> <translation> rove: </translation> </message> <message> <source> Selected: </source> <translation> Vybrno: </translation> </message> <message> <source> frame : </source> <translation> snmek: </translation> </message> <message> <source> frames * </source> <translation> snmky *</translation> </message> <message> <source> column</source> <translation> sloupec</translation> </message> <message> <source> columns</source> <translation> sloupce</translation> </message> <message> <source> Frame</source> <translation> Snmek</translation> </message> </context> </TS> ```
/content/code_sandbox/toonz/sources/translations/czech/toonz.ts
xml
2016-03-18T17:55:48
2024-08-15T18:11:38
opentoonz
opentoonz/opentoonz
4,445
144,136
```xml <?xml version="1.0" encoding="utf-8"?> <!-- path_to_url Unless required by applicable law or agreed to in writing, software WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. --> <menu xmlns:android="path_to_url" xmlns:app="path_to_url"> <item android:id="@+id/action_search" android:orderInCategory="1" app:showAsAction="ifRoom" android:title="@string/search"/> </menu> ```
/content/code_sandbox/Lesson02-GitHub-Repo-Search/T02.06-Exercise-AddPolish/app/src/main/res/menu/main.xml
xml
2016-11-02T04:41:25
2024-08-12T19:38:05
ud851-Exercises
udacity/ud851-Exercises
2,039
112
```xml <?xml version="1.0" encoding="utf-8"?> <Language Code="EL" Name="Greek"> <Text Key="ISO639-1">EL</Text> <Text Key="Ok">OK</Text> <Text Key="Cancel"></Text> <Text Key="Close"></Text> <Text Key="Yes"></Text> <Text Key="No"></Text> <Text Key="Mini_Player">Mini player</Text> <Text Key="Restore"></Text> <Text Key="Collection"></Text> <Text Key="Settings"></Text> <Text Key="Information"></Text> <Text Key="Manage"></Text> <Text Key="Artists"></Text> <Text Key="Albums"></Text> <Text Key="Album"></Text> <Text Key="Playlists"> </Text> <Text Key="Songs"></Text> <Text Key="Song"></Text> <Text Key="Genres"></Text> <Text Key="Genre"></Text> <Text Key="Now_Playing"></Text> <Text Key="General"></Text> <Text Key="Behaviour"></Text> <Text Key="Features"></Text> <Text Key="Display"></Text> <Text Key="Playback"></Text> <Text Key="Help"></Text> <Text Key="About"></Text> <Text Key="Version"></Text> <Text Key="Do_You_Like_Dopamine"> Dopamine; . !</Text> <Text Key="Donate"></Text> <Text Key="Donate_With_PayPal"> PayPal</Text> <Text Key="File_Types"> </Text> <Text Key="File_Types_Description"> : MP3, WMA, OGG, FLAC, M4A (AAC), AAC, WAV, OPUS, AIFF, APE.</Text> <Text Key="Keyboard_Shortcuts"> </Text> <Text Key="Key_Plus">+</Text> <Text Key="Key_Minus">-</Text> <Text Key="Key_Ctrl">Ctrl</Text> <Text Key="Increase_Volume_By_5_Percent"> 5%</Text> <Text Key="Decrease_Volume_By_5_Percent"> 5%</Text> <Text Key="Increase_Volume_By_1_Percent"> 1%</Text> <Text Key="Decrease_Volume_By_1_Percent"> 1%</Text> <Text Key="Media_Keys"> </Text> <Text Key="Supported_Media_Keys"> : , , .</Text> <Text Key="Latency"></Text> <Text Key="Dopamine_Uses_WASAPI"> Windows Audio Session API (WASAPI).</Text> <Text Key="Appearance"></Text> <Text Key="Theme"></Text> <Text Key="Choose_Theme">Use light theme</Text> <Text Key="Follow_Windows_Color"> Windows</Text> <Text Key="Choose_A_Color"> </Text> <Text Key="Choose_Language"> </Text> <Text Key="Pick_Your_Language"> </Text> <Text Key="Language"></Text> <Text Key="Updates"></Text> <Text Key="New_Version_available"> </Text> <Text Key="Add_More_Colors"> </Text> <Text Key="Show_Dopamine"> Dopamine</Text> <Text Key="Exit"></Text> <Text Key="Minimize"></Text> <Text Key="Minimize_To_Tray"> </Text> <Text Key="Add_A_Folder"> </Text> <Text Key="Start"></Text> <Text Key="Done">!</Text> <Text Key="We_Are_Done"> . Dopamine.</Text> <Text Key="What_Will_Your_Dopamine_Look_Like"> Dopamine;</Text> <Text Key="Lets_Set_Up_Your_Collection"> . ;</Text> <Text Key="Folders"></Text> <Text Key="Add_Folders_With_Your_Music"> .</Text> <Text Key="Remove_This_Folder"> </Text> <Text Key="Remove_Folder"> </Text> <Text Key="Confirm_Remove_Folder"> ;</Text> <Text Key="Error"></Text> <Text Key="Error_Adding_Folder"> . .</Text> <Text Key="Error_Removing_Folder"> . .</Text> <Text Key="Already_Exists"> </Text> <Text Key="Folder_Already_In_Collection"> .</Text> <Text Key="Log_File"> </Text> <Text Key="Play"></Text> <Text Key="Pause"></Text> <Text Key="Next"></Text> <Text Key="Previous"></Text> <Text Key="Loop"></Text> <Text Key="Shuffle"></Text> <Text Key="Mute"></Text> <Text Key="Unmute"> </Text> <Text Key="Artwork"></Text> <Text Key="Preferred_Artwork"> </Text> <Text Key="Prefer_Larger"> </Text> <Text Key="Prefer_Embedded"> </Text> <Text Key="Prefer_External"> </Text> <Text Key="Error_Cannot_Play_This_Song">, . .</Text> <Text Key="Follow_Song"> </Text> <Text Key="Default"></Text> <Text Key="View_In_Explorer"> Windows</Text> <Text Key="Jump_To_Playing_Song"> </Text> <Text Key="Ctrl_E">Ctrl+E</Text> <Text Key="Ctrl_J">Ctrl+J</Text> <Text Key="Ctrl_T">Ctrl+T</Text> <Text Key="Notification"></Text> <Text Key="Show_Notification_When_Song_Starts"> </Text> <Text Key="Show_Notification_Controls"> </Text> <Text Key="Notification_Position"> </Text> <Text Key="Test"></Text> <Text Key="Bottom_Left"> </Text> <Text Key="Top_Left"> </Text> <Text Key="Top_Right"> </Text> <Text Key="Bottom_Right"> </Text> <Text Key="Title"></Text> <Text Key="Artist"></Text> <Text Key="Download"></Text> <Text Key="Startup"></Text> <Text Key="Mini_Player_On_Top"> mini player </Text> <Text Key="A_Z">A-Z</Text> <Text Key="Z_A">Z-A</Text> <Text Key="By_Album"> </Text> <Text Key="Taskbar"> </Text> <Text Key="Show_Audio_Progress_In_Taskbar"> Windows</Text> <Text Key="Spectrum_Analyzer"> </Text> <Text Key="Show_Spectrum_Analyzer"> </Text> <Text Key="Columns"></Text> <Text Key="Length"></Text> <Text Key="Album_Artist"> </Text> <Text Key="Track_Number"> </Text> <Text Key="Year"></Text> <Text Key="All_Artists"> </Text> <Text Key="All_Albums"> </Text> <Text Key="All_Genres"> </Text> <Text Key="Volume"></Text> <Text Key="Playlist"> </Text> <Text Key="Automatically_Download_Updates"> </Text> <Text Key="Not_Available_In_Portable_Version"> </Text> <Text Key="Refresh_Now"> </Text> <Text Key="New_Playlist"> </Text> <Text Key="All_Playlists"> </Text> <Text Key="Already_Exists"> </Text> <Text Key="Already_Playlist_With_That_Name"> '{playlistname}'.</Text> <Text Key="Error_Adding_Playlist"> . .</Text> <Text Key="Provide_Playlist_Name"> .</Text> <Text Key="Delete_This_Playlist"> </Text> <Text Key="Delete_Playlist"> </Text> <Text Key="Delete_Playlists"> </Text> <Text Key="Delete"></Text> <Text Key="Rename"></Text> <Text Key="Are_You_Sure_To_Delete_Playlist"> '{playlistname}';</Text> <Text Key="Error_Deleting_Playlist"> '{playlistname}'. .</Text> <Text Key="Key_F2">F2</Text> <Text Key="Key_Del">Del</Text> <Text Key="Enter_New_Name_For_Playlist"> '{playlistname}'</Text> <Text Key="Add_To_Playlist"> </Text> <Text Key="Error_Adding_Songs_To_Playlist"> '{playlistname}'. .</Text> <Text Key="Error_Adding_Albums_To_Playlist"> '{playlistname}'. .</Text> <Text Key="Error_Adding_Artists_To_Playlist"> '{playlistname}'. .</Text> <Text Key="Remove_From_Playlist"> </Text> <Text Key="Error_Removing_From_Playlist"> . .</Text> <Text Key="Ignore_Previously_Removed_Files"> </Text> <Text Key="Refresh"></Text> <Text Key="Remove"></Text> <Text Key="Remove_Song"> </Text> <Text Key="Remove_Songs"> </Text> <Text Key="Are_You_Sure_To_Remove_Song"> ; .</Text> <Text Key="Are_You_Sure_To_Remove_Songs"> ; .</Text> <Text Key="Error_Removing_Songs"> . .</Text> <Text Key="By_Date_Added"> </Text> <Text Key="Cover_Player">Cover player</Text> <Text Key="Micro_Player">Micro player</Text> <Text Key="Nano_Player">Nano player</Text> <Text Key="Lock_Position"> </Text> <Text Key="Always_On_Top"> </Text> <Text Key="Always_Show_Playback_Info"> </Text> <Text Key="Maximize"></Text> <Text Key="Hide_Taskbar_When_Maximized"> Windows </Text> <Text Key="Glow">Glow</Text> <Text Key="Show_Glow_Under_Main_Window"> </Text> <Text Key="Enter_Leave_Fullscreen">/ </Text> <Text Key="File_Type_Not_Supported"> .</Text> <Text Key="Unknown_Artist"> </Text> <Text Key="Unknown_Title"> </Text> <Text Key="Close_Notification_Automatically_After"> </Text> <Text Key="If_You_Like_Dopamine_Please_Donate"> Dopamine, . ''. !</Text> <Text Key="Save"></Text> <Text Key="Error_Saving_Playlists"> . .</Text> <Text Key="Error_Saving_Playlist"> . .</Text> <Text Key="Download_Latest_Version"> </Text> <Text Key="By_Album_Artist"> </Text> <Text Key="File"></Text> <Text Key="Name"></Text> <Text Key="Folder"></Text> <Text Key="Path"></Text> <Text Key="Size"></Text> <Text Key="Last_Modified"> </Text> <Text Key="Audio">Audio</Text> <Text Key="Duration"></Text> <Text Key="Type"></Text> <Text Key="Sample_Rate"> </Text> <Text Key="Bitrate"> </Text> <Text Key="Bytes">Bytes</Text> <Text Key="Kilobytes_Short">kB</Text> <Text Key="Megabytes_Short">MB</Text> <Text Key="Gigabytes_Short">GB</Text> <Text Key="Added_Track_To_Playlist"> {numberoftracks} '{playlistname}'</Text> <Text Key="Added_Tracks_To_Playlist"> {numberoftracks} '{playlistname}'</Text> <Text Key="All_Genres"> </Text> <Text Key="Error_Adding_Genres_To_Playlist"> '{playlistname}'. .</Text> <Text Key="Border"></Text> <Text Key="Show_Window_Border"> 1 px </Text> <Text Key="System_Tray"> </Text> <Text Key="Show_Tray_Icon"> </Text> <Text Key="Align_Playlist_Vertically"> </Text> <Text Key="Show_Notification_Only_When_Player_Not_Visible"> player </Text> <Text Key="Transparency"></Text> <Text Key="Enable_Transparency"> </Text> <Text Key="Close_To_Tray"> </Text> <Text Key="Edit"></Text> <Text Key="Edit_Song"> </Text> <Text Key="Edit_Multiple_Songs"> </Text> <Text Key="Multiple_Songs_Selected"> {trackcount} . .</Text> <Text Key="Multiple_Values"> </Text> <Text Key="Multiple_Images"> </Text> <Text Key="Size"></Text> <Text Key="Click_To_View_Full_Size"> </Text> <Text Key="Album_Artists"> </Text> <Text Key="Track_Count"> </Text> <Text Key="Disc_Number"> </Text> <Text Key="Disc_Count"> </Text> <Text Key="Grouping"></Text> <Text Key="Comment"></Text> <Text Key="Only_Positive_Numbers_Allowed"> </Text> <Text Key="Export"></Text> <Text Key="Export_The_Image"> </Text> <Text Key="Change"></Text> <Text Key="Change_The_Image"> </Text> <Text Key="Remove"></Text> <Text Key="Remove_The_Image"> </Text> <Text Key="Images"></Text> <Text Key="Select_Image"> </Text> <Text Key="Error_Changing_Image"> . .</Text> <Text Key="Add_To_Now_Playing"> </Text> <Text Key="Removing_Songs"> </Text> <Text Key="Updating_Songs"> </Text> <Text Key="Hide"></Text> <Text Key="Click_Here_To_Download"> </Text> <Text Key="Update_Album_Cover"> </Text> <Text Key="Check_Box_To_Update_Album_Cover_In_Collection"> </Text> <Text Key="Edit_Album"> </Text> <Text Key="Update_File_Covers"> </Text> <Text Key="Check_Box_To_Update_File_Covers"> </Text> <Text Key="Startup_Page"> </Text> <Text Key="Start_At_Last_Selected_Page"> </Text> <Text Key="Rating"></Text> <Text Key="Save_Rating_In_Audio_Files"> ( MP3)</Text> <Text Key="By_Rating"> </Text> <Text Key="Day"></Text> <Text Key="Days"></Text> <Text Key="Hour"></Text> <Text Key="Hours"></Text> <Text Key="Minute"></Text> <Text Key="Minutes"></Text> <Text Key="Second"></Text> <Text Key="Seconds"></Text> <Text Key="Show_In_Collection"> </Text> <Text Key="Show_All_Folders_In_Collection"> </Text> <Text Key="Refreshing_Collection"> </Text> <Text Key="Nothing_Is_Playing"> </Text> <Text Key="Remove_From_Now_Playing"> </Text> <Text Key="Error_Removing_From_Now_Playing"> . .</Text> <Text Key="Added_Track_To_Now_Playing"> {numberoftracks} </Text> <Text Key="Added_Tracks_To_Now_Playing"> {numberoftracks} </Text> <Text Key="Error_Adding_Songs_To_Now_Playing"> . .</Text> <Text Key="Error_Adding_Albums_To_Now_Playing"> . .</Text> <Text Key="Error_Adding_Artists_To_Now_Playing"> . .</Text> <Text Key="Error_Adding_Genres_To_Now_Playing"> . .</Text> <Text Key="Error_Adding_Playlists_To_Now_Playing"> . .</Text> <Text Key="Play_All"> </Text> <Text Key="Shuffle_All"> </Text> <Text Key="See_You_Later"> !</Text> <Text Key="Website"></Text> <Text Key="Social_Networks"> </Text> <Text Key="Contact_Us"> </Text> <Text Key="Email"></Text> <Text Key="Error_Cannot_Play_This_Song_File_Not_Found">, . .</Text> <Text Key="Cover_Size"> </Text> <Text Key="Small"></Text> <Text Key="Medium"></Text> <Text Key="Large"></Text> <Text Key="Showcase"></Text> <Text Key="Dark"></Text> <Text Key="Light"></Text> <Text Key="Components"></Text> <Text Key="Thanks"></Text> <Text Key="Wasapi_Exclusive_Mode"> ( )</Text> <Text Key="Equalizer"></Text> <Text Key="Enable_Equalizer"> </Text> <Text Key="Reset"></Text> <Text Key="Manual"></Text> <Text Key="Save_Equalizer_Preset"> </Text> <Text Key="Equalizer_Presets"> </Text> <Text Key="Preset_Already_Taken"> . .</Text> <Text Key="Error_While_Saving_Preset"> . .</Text> <Text Key="Delete_Preset"> </Text> <Text Key="Delete_Preset_Confirmation"> '{preset}';</Text> <Text Key="Error_While_Deleting_Preset"> . .</Text> <Text Key="Exclusive_Mode"> </Text> <Text Key="Exclusive_Mode_Confirmation"> ; .</Text> <Text Key="Search_Online"> </Text> <Text Key="Online"></Text> <Text Key="Add_Remove_Online_Search_Providers"> </Text> <Text Key="Add"></Text> <Text Key="Confirm_Remove_Online_Search_Provider"> '{provider}';</Text> <Text Key="Error_Removing_Online_Search_Provider"> '{provider}'. .</Text> <Text Key="Url"></Text> <Text Key="Separator"></Text> <Text Key="Error_Adding_Online_Search_Provider"> . .</Text> <Text Key="Error_Adding_Online_Search_Provider_Missing_Fields"> . '' '' , '' .</Text> <Text Key="Error_Updating_Online_Search_Provider"> . .</Text> <Text Key="Error_Updating_Online_Search_Provider_Missing_Fields"> . '' '' , '' .</Text> <Text Key="Sign_In"></Text> <Text Key="Sign_Out"></Text> <Text Key="Signed_In"></Text> <Text Key="Sign_In_Failed"> </Text> <Text Key="Artist_Information"> </Text> <Text Key="Biography"></Text> <Text Key="Similar"></Text> <Text Key="Not_Available"> </Text> <Text Key="Download_An_Image"> </Text> <Text Key="Tags"></Text> <Text Key="Lyrics"></Text> <Text Key="No_Lyrics_Found"> </Text> <Text Key="Automatically_Scroll_To_The_Playing_Song"> </Text> <Text Key="Mouse_Scroll_Changes_Volume_By"> </Text> <Text Key="Song_Cannot_Be_Found"> . .</Text> <Text Key="Songs_Cannot_Be_Found"> . .</Text> <Text Key="Automatic_Scrolling"> </Text> <Text Key="Font_Size"> </Text> <Text Key="Cancel_Edit"> </Text> <Text Key="Play_Song_And_Insert_Timestamp"> Ctrl+T </Text> <Text Key="Sign_In_To_Enable_Lastfm"> Last.fm '' ''</Text> <Text Key="Create_A_Lastfm_Account"> Last.fm</Text> <Text Key="Love"></Text> <Text Key="Show_Love_Button"> ''</Text> <Text Key="Show_Rating_Button"> ''</Text> <Text Key="Show_Notification_When_Pausing_Song"> </Text> <Text Key="Show_Notification_When_Resuming_Song"> </Text> <Text Key="Add_Lyrics"> </Text> <Text Key="Save_In_Audio_File"> </Text> <Text Key="Download_Lyrics_Automatically"> </Text> <Text Key="Download_Artist_Information_From_Lastfm_Automatically"> Last.fm</Text> <Text Key="Username"> </Text> <Text Key="Password"></Text> <Text Key="Search_Again"> </Text> <Text Key="Audio_File"> </Text> <Text Key="Play_Next"> </Text> <Text Key="Last_Played"> </Text> <Text Key="Remember_Last_played_Song"> </Text> <Text Key="Download_Lyrics_From"> </Text> <Text Key="Lyrics_Download_Timeout"> </Text> <Text Key="Show_Remove_From_Disk"> ' ' (context)</Text> <Text Key="Remove_From_Disk"> </Text> <Text Key="Are_You_Sure_To_Remove_Song_From_Disk"> ? .</Text> <Text Key="Are_You_Sure_To_Remove_Songs_From_Disk"> ? .</Text> <Text Key="Error_Removing_Songs_From_Disk"> . .</Text> <Text Key="About_Donated_People"> .</Text> <Text Key="About_Translators"> .</Text> <Text Key="About_Components_Developers"> .</Text> <Text Key="About_Neowin_Head"> </Text> <Text Key="About_Neowin_End"> , .</Text> <Text Key="Frequent"></Text> <Text Key="Are_You_Sure_To_Remove_Song_From_Playlist"> '{playlistname}'?</Text> <Text Key="Are_You_Sure_To_Remove_Songs_From_Playlist"> '{playlistname}'?</Text> <Text Key="XiamiLyrics"> Xiami</Text> <Text Key="NeteaseLyrics"> Netease</Text> <Text Key="Spectrum_Style"> </Text> <Text Key="Follow_Album_Cover_Color"> </Text> <Text Key="Lyrics_File"> </Text> <Text Key="Long_Jump_Backward"> 15 </Text> <Text Key="Short_Jump_Backward"> 5 </Text> <Text Key="Long_Jump_Forward"> 15 </Text> <Text Key="Short_Jump_Forward"> 5 </Text> <Text Key="Default_Audio_Device"> </Text> <Text Key="Audio_Device"> </Text> <Text Key="Choose_Audio_Device"> </Text> <Text Key="By_Date_Created"> </Text> <Text Key="Plays"></Text> <Text Key="Skips"></Text> <Text Key="Play_Selected"> </Text> <Text Key="Error_Playing_Selected_Songs"> . .</Text> <Text Key="External_Control"> </Text> <Text Key="Enable_External_Control"> </Text> <Text Key="Enable_System_Notification"> </Text> <Text Key="Unknown_Album"> </Text> <Text Key="Unknown_Genre"> </Text> <Text Key="Refresh_Collection_Automatically"> </Text> <Text Key="Loop_When_Shuffle"> , .</Text> <Text Key="Show_Song_Covers"> </Text> <Text Key="Hide_Song_Covers"> </Text> <Text Key="Check_For_Updates_At_Startup"> </Text> <Text Key="Check_For_Updates_Periodically"> </Text> <Text Key="Refresh_Collection_Now"> </Text> <Text Key="Album_Covers"> </Text> <Text Key="Reload_All_Covers"> </Text> <Text Key="Reload_All_Covers_Description"> </Text> <Text Key="Reload_Missing_Covers"> </Text> <Text Key="Reload_Missing_Covers_Description"> </Text> <Text Key="Added_Songs"> {number} ({percent}%)</Text> <Text Key="Download_Missing_Album_Covers"> </Text> <Text Key="Use_All_Available_Speakers"> </Text> <Text Key="Center_Lyrics"> </Text> <Text Key="Spectrum_Flames"></Text> <Text Key="Spectrum_Lines"></Text> <Text Key="Spectrum_Bars"></Text> <Text Key="Spectrum_Stripes"></Text> <Text Key="Also_Check_For_Prereleases"> </Text> <Text Key="Folder_Could_Not_Be_Added_Check_Permissions"> '{foldername}' . .</Text> <Text Key="Time"></Text> <Text Key="Song_Artists"></Text> <Text Key="Album_Artists"> </Text> <Text Key="Toggle_Artists"> </Text> <Text Key="Select_None"> </Text> <Text Key="Open_Menu"> </Text> <Text Key="Toggle_Album_Order"> </Text> <Text Key="Toggle_Track_Order"> </Text> <Text Key="Activate_Search_Field"> </Text> <Text Key="Back"></Text> <Text Key="Folders"></Text> <Text Key="Import_Playlists"> </Text> <Text Key="Error_Importing_Playlists"> . .</Text> <Text Key="Switch_Player"> </Text> <Text Key="Add_Music"> </Text> <Text Key="Music"></Text> <Text Key="Smart_Playlist"> </Text> <Text Key="Create_Smart_Playlist_Where"> </Text> <Text Key="Add_If_Any_Rule_Is_Matched"> </Text> <Text Key="Limit_To"> </Text> <Text Key="Smart_Playlist_Songs"></Text> <Text Key="Smart_Playlist_Minutes"></Text> <Text Key="Smart_Playlist_Is"></Text> <Text Key="Smart_Playlist_Is_Not"> </Text> <Text Key="Smart_Playlist_Contains"></Text> <Text Key="Smart_Playlist_Greater_Than"> </Text> <Text Key="Smart_Playlist_Less_Than"> </Text> <Text Key="Edit_Playlist"> </Text> <Text Key="Enter_Name_For_Playlist"> </Text> <Text Key="Error_Editing_Playlist"> . .</Text> <Text Key="Date_Added"> </Text> <Text Key="Date_Created"> </Text> <Text Key="Use_AppCommand_Media_Keys">Enable default multimedia key support</Text> <Text Key="Smart_Playlist_Does_Not_Contain">does not contain</Text> <Text Key="By_Year_Ascending">By year ascending</Text> <Text Key="By_Year_Descending">By year descending</Text> <Text Key="Enable_Discord_Rich_Presence">Enable Discord Rich Presence</Text> <Text Key="Discord_By">by</Text> <Text Key="Discord_Playing_With_Dopamine">Playing with Dopamine</Text> <Text Key="Discord_Playing">Playing</Text> <Text Key="Discord_Paused">Paused</Text> <Text Key="Sleep">Sleep</Text> <Text Key="Prevent_Sleep_While_Playing">Prevent the computer from going to sleep while audio is playing</Text> <Text Key="Add_To_Blacklist">Add to blacklist</Text> <Text Key="Error_Adding_To_Blacklist">Could not add to blacklist. Please consult the log file for more information.</Text> <Text Key="Added_Track_To_Blacklist">Added {numberoftracks} song to the blacklist</Text> <Text Key="Added_Tracks_To_Blacklist">Added {numberoftracks} songs the blacklist</Text> <Text Key="Blacklist">Blacklist</Text> <Text Key="Songs_In_Blacklist_Will_Be_Skipped">Songs that are in the blacklist will be skipped during playback.</Text> <Text Key="Remove_This_Track_From_Blacklist">Remove this song from the blacklist</Text> <Text Key="Confirm_Remove_Track_From_Blacklist">Are you sure you want to remove this song from the blacklist?</Text> <Text Key="Error_Removing_Track_From_Blacklist">The song could not be removed from the blacklist. Please consult the log file for more information.</Text> <Text Key="Clear_Blacklist">Clear blacklist...</Text> <Text Key="Clear">Clear</Text> <Text Key="Confirm_Clear_Blacklist">Are you sure you want to clear the blacklist?</Text> <Text Key="Error_Clearing_Blacklist">The blacklist could not be cleared. Please consult the log file for more information.</Text> </Language> ```
/content/code_sandbox/Dopamine/Languages/EL.xml
xml
2016-07-13T21:34:42
2024-08-15T03:30:43
dopamine-windows
digimezzo/dopamine-windows
1,786
6,759
```xml import type { MouseEvent } from 'react'; import { useMemo } from 'react'; import { useHistory } from 'react-router-dom'; import { c } from 'ttag'; import { DropdownMenuButton, Icon, useModalState, usePopperAnchor } from '@proton/components/components'; import type { ContactEditProps } from '@proton/components/containers/contacts/edit/ContactEditModal'; import type { PublicKeyReference } from '@proton/crypto'; import { MAILBOX_LABEL_IDS } from '@proton/shared/lib/constants'; import { createContactPropertyUid } from '@proton/shared/lib/contacts/properties'; import { changeSearchParams } from '@proton/shared/lib/helpers/url'; import type { Recipient } from '@proton/shared/lib/interfaces'; import type { ContactWithBePinnedPublicKey } from '@proton/shared/lib/interfaces/contacts'; import { ALMOST_ALL_MAIL } from '@proton/shared/lib/mail/mailSettings'; import useMailModel from 'proton-mail/hooks/useMailModel'; import { MESSAGE_ACTIONS } from '../../../constants'; import { useOnCompose } from '../../../containers/ComposeProvider'; import { getHumanLabelID } from '../../../helpers/labels'; import { getContactEmail } from '../../../helpers/message/messageRecipients'; import { ComposeTypes } from '../../../hooks/composer/useCompose'; import { useContactsMap } from '../../../hooks/contact/useContacts'; import { useRecipientLabel } from '../../../hooks/contact/useRecipientLabel'; import useBlockSender from '../../../hooks/useBlockSender'; import type { MapStatusIcons, StatusIcon } from '../../../models/crypto'; import type { Element } from '../../../models/element'; import type { MessageState } from '../../../store/messages/messagesTypes'; import TrustPublicKeyModal from '../modals/TrustPublicKeyModal'; import RecipientItemSingle from './RecipientItemSingle'; interface Props { message?: MessageState; recipient: Recipient; mapStatusIcons?: MapStatusIcons; globalIcon?: StatusIcon; signingPublicKey?: PublicKeyReference; attachedPublicKey?: PublicKeyReference; isSmallViewport?: boolean; showDropdown?: boolean; isOutside?: boolean; hideAddress?: boolean; isRecipient?: boolean; isExpanded?: boolean; onContactDetails: (contactID: string) => void; onContactEdit: (props: ContactEditProps) => void; customDataTestId?: string; hasHeading?: boolean; } const MailRecipientItemSingle = ({ message, recipient, mapStatusIcons, globalIcon, signingPublicKey, attachedPublicKey, isSmallViewport, showDropdown, isOutside, hideAddress, isRecipient, isExpanded, onContactDetails, onContactEdit, customDataTestId, hasHeading = false, }: Props) => { const { anchorRef, isOpen, toggle, close } = usePopperAnchor<HTMLButtonElement>(); const history = useHistory(); const contactsMap = useContactsMap(); const { getRecipientLabel } = useRecipientLabel(); const mailSettings = useMailModel('MailSettings'); const onCompose = useOnCompose(); const [trustPublicKeyModalProps, setTrustPublicKeyModalOpen, renderTrustPublicKeyModal] = useModalState(); const { ContactID } = getContactEmail(contactsMap, recipient.Address) || {}; const label = getRecipientLabel(recipient, true); const showTrustPublicKey = !!signingPublicKey || !!attachedPublicKey; const { canShowBlockSender, handleClickBlockSender, blockSenderModal } = useBlockSender({ elements: [message?.data || ({} as Element)], onCloseDropdown: close, }); // We can display the block sender option in the dropdown if: // 1 - Block sender option can be displayed (FF and incoming are ready, item is not already blocked or self address) // 2 - The item is a sender and not a recipient const showBlockSenderOption = canShowBlockSender && !isRecipient; const contact = useMemo<ContactWithBePinnedPublicKey>(() => { return { emailAddress: recipient.Address || '', name: label, contactID: ContactID, isInternal: true, bePinnedPublicKey: signingPublicKey || (attachedPublicKey as PublicKeyReference), }; }, [recipient, label, ContactID, signingPublicKey, attachedPublicKey]); const handleCompose = (event: MouseEvent) => { event.stopPropagation(); onCompose({ type: ComposeTypes.newMessage, action: MESSAGE_ACTIONS.NEW, referenceMessage: { data: { ToList: [recipient] } }, }); close(); }; const handleClickContact = (event: MouseEvent) => { event.stopPropagation(); close(); if (ContactID) { onContactDetails(ContactID); return; } onContactEdit({ vCardContact: { fn: [ { field: 'fn', value: recipient.Name || recipient.Address || '', uid: createContactPropertyUid(), }, ], email: [{ field: 'email', value: recipient.Address || '', uid: createContactPropertyUid() }], }, }); }; const handleClickTrust = (event: MouseEvent) => { event.stopPropagation(); setTrustPublicKeyModalOpen(true); }; const handleClickSearch = (event: MouseEvent) => { event.stopPropagation(); if (recipient.Address) { const humanLabelID = mailSettings.AlmostAllMail === ALMOST_ALL_MAIL.ENABLED ? getHumanLabelID(MAILBOX_LABEL_IDS.ALMOST_ALL_MAIL) : getHumanLabelID(MAILBOX_LABEL_IDS.ALL_MAIL); const newPathname = `/${humanLabelID}`; history.push( changeSearchParams(newPathname, history.location.hash, { keyword: recipient.Address, page: undefined, sort: undefined, }) ); } close(); }; const customDropdownActions = ( <> <hr className="my-2" /> <DropdownMenuButton className="text-left flex flex-nowrap items-center" onClick={handleCompose} data-testid="recipient:new-message" > <Icon name="pen-square" className="mr-2" /> <span className="flex-1 my-auto">{c('Action').t`New message`}</span> </DropdownMenuButton> {ContactID ? ( <DropdownMenuButton className="text-left flex flex-nowrap items-center" onClick={handleClickContact} data-testid="recipient:view-contact-details" > <Icon name="user" className="mr-2" /> <span className="flex-1 my-auto">{c('Action').t`View contact details`}</span> </DropdownMenuButton> ) : ( <DropdownMenuButton className="text-left flex flex-nowrap items-center" onClick={handleClickContact} data-testid="recipient:create-new-contact" > <Icon name="user-plus" className="mr-2" /> <span className="flex-1 my-auto">{c('Action').t`Create new contact`}</span> </DropdownMenuButton> )} <DropdownMenuButton className="text-left flex flex-nowrap items-center" onClick={handleClickSearch} data-testid="recipient:search-messages" > <Icon name="envelope-magnifying-glass" className="mr-2" /> <span className="flex-1 my-auto"> {isRecipient ? c('Action').t`Messages to this recipient` : c('Action').t`Messages from this sender`} </span> </DropdownMenuButton> {showBlockSenderOption && ( <DropdownMenuButton className="text-left flex flex-nowrap items-center" onClick={handleClickBlockSender} data-testid="block-sender:button" > <Icon name="circle-slash" className="mr-2" /> <span className="flex-1 my-auto">{c('Action').t`Block messages from this sender`}</span> </DropdownMenuButton> )} {showTrustPublicKey && ( <DropdownMenuButton className="text-left flex flex-nowrap items-center" onClick={handleClickTrust} data-testid="recipient:show-trust-public-key" > <Icon name="user" className="mr-2" /> <span className="flex-1 my-auto">{c('Action').t`Trust public key`}</span> </DropdownMenuButton> )} </> ); return ( <> <RecipientItemSingle message={message} recipient={recipient} mapStatusIcons={mapStatusIcons} globalIcon={globalIcon} isSmallViewport={isSmallViewport} showDropdown={showDropdown} actualLabel={label} customDropdownActions={customDropdownActions} anchorRef={anchorRef} toggle={toggle} close={close} isOpen={isOpen} isOutside={isOutside} hideAddress={hideAddress} isRecipient={isRecipient} isExpanded={isExpanded} customDataTestId={customDataTestId} hasHeading={hasHeading} /> {renderTrustPublicKeyModal && <TrustPublicKeyModal contact={contact} {...trustPublicKeyModalProps} />} {blockSenderModal} </> ); }; export default MailRecipientItemSingle; ```
/content/code_sandbox/applications/mail/src/app/components/message/recipients/MailRecipientItemSingle.tsx
xml
2016-06-08T11:16:51
2024-08-16T14:14:27
WebClients
ProtonMail/WebClients
4,300
1,976
```xml import Icon from '@erxes/ui/src/components/Icon'; import { IButtonMutateProps, Counts } from '@erxes/ui/src/types'; import { __ } from '@erxes/ui/src/utils/core'; import React from 'react'; import Common from './Common'; import SegmentsForm from './forms/SegmentsForm'; import { ISegment } from '@erxes/ui-segments/src/types'; type Props = { messageType: string; targetCount: Counts; segmentIds: string[]; segments: ISegment[]; customersCount: (ids: string[]) => number; onChange: (name: string, value: string[]) => void; renderContent: ({ actionSelector, selectedComponent, customerCounts }: { actionSelector: React.ReactNode; selectedComponent: React.ReactNode; customerCounts: React.ReactNode; }) => React.ReactNode; segmentType: string; afterSave?: () => void; loadingCount: boolean; loading: boolean; }; const SegmentStep = (props: Props) => { const { onChange, segments, segmentIds, targetCount, customersCount, messageType, renderContent, segmentType, afterSave, loadingCount, loading } = props; const formProps = { segmentType, afterSave }; const orderedSegments: ISegment[] = []; const icons: React.ReactNode[] = []; segments.forEach(segment => { if (!segment.subOf) { orderedSegments.push(segment, ...segment.getSubSegments); } }); orderedSegments.forEach(segment => { icons.push( <> {segment.subOf ? '\u00a0\u00a0\u00a0\u00a0\u00a0' : null} <Icon icon="chart-pie icon" style={{ color: segment.color }} /> </> ); }); return ( <Common<ISegment, IButtonMutateProps> name="segmentIds" label={__('Create a segment')} targetIds={segmentIds} messageType={messageType} targets={orderedSegments} targetCount={targetCount} customersCount={customersCount} onChange={onChange} Form={SegmentsForm} content={renderContent} formProps={formProps} icons={icons} loadingCount={loadingCount} loading={loading} /> ); }; export default SegmentStep; ```
/content/code_sandbox/packages/plugin-engages-ui/src/campaigns/components/step/SegmentStep.tsx
xml
2016-11-11T06:54:50
2024-08-16T10:26:06
erxes
erxes/erxes
3,479
515
```xml import { createClientApp } from '@fmfe/genesis-app'; import { ClientOptions } from '@fmfe/genesis-core'; import Vue from 'vue'; import { App, createRequest, createRouter, createStore } from './entry-base'; /** * Promise<Vue> */ export default async (clientOptions: ClientOptions): Promise<Vue> => { const request = createRequest(); const store = createStore(request); const router = createRouter(); /** * store */ store.replaceState(clientOptions.state.vuexState); /** * */ return createClientApp({ /** * */ App, /** * */ clientOptions, /** * new Vue({ ...vueOptions }) */ vueOptions: { /** * store */ store, /** * createServerApp router.push(req.url); */ router, /** * base-vue.ts */ request } }); }; ```
/content/code_sandbox/src/entry-client.ts
xml
2016-10-30T13:19:37
2024-07-24T11:17:05
vue-demo
lzxb/vue-demo
2,106
220
```xml import { position } from '../../../util'; import { testCompletion } from '../../../completionHelper'; import { getDocUri } from '../../path'; describe('Should autocomplete for <style>', () => { describe('Should complete <style> region for all languages', () => { const basicUri = getDocUri('completion/style/Basic.vue'); it('completes CSS properties for <style lang="css">', async () => { await testCompletion(basicUri, position(6, 3), ['width', 'word-wrap']); }); it('completes CSS properties for <style lang="less">', async () => { await testCompletion(basicUri, position(12, 3), ['width', 'word-wrap']); }); it('completes CSS properties for <style lang="scss">', async () => { await testCompletion(basicUri, position(18, 3), ['width', 'word-wrap']); }); it('completes CSS properties for <style lang="stylus">', async () => { await testCompletion(basicUri, position(24, 3), ['width', 'word-wrap']); }); it('completes CSS properties for <style lang="postcss">', async () => { await testCompletion(basicUri, position(30, 3), ['width', 'word-wrap']); }); }); describe('Should complete second <style> region', () => { const doubleUri = getDocUri('completion/style/Double.vue'); it('completes CSS properties for second <style lang="scss">', async () => { await testCompletion(doubleUri, position(8, 3), ['width', 'word-wrap']); }); }); describe('Should complete emmet in <style lang="sass"> region', () => { const sassEmmetUri = getDocUri('completion/style/SassEmmet.vue'); it('completes CSS properties for second <style lang="scss">', async () => { await testCompletion(sassEmmetUri, position(2, 4), ['left: 0']); }); }); }); ```
/content/code_sandbox/test/lsp/features/completion/style.test.ts
xml
2016-10-29T23:20:43
2024-08-16T03:59:58
vetur
vuejs/vetur
5,739
450
```xml <!-- path_to_url Unless required by applicable law or agreed to in writing, software WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. --> <project xmlns="path_to_url" xmlns:xsi="path_to_url" xsi:schemaLocation="path_to_url path_to_url"> <modelVersion>4.0.0</modelVersion> <parent> <groupId>org.thingsboard</groupId> <version>3.7.1-SNAPSHOT</version> <artifactId>msa</artifactId> </parent> <groupId>org.thingsboard.msa</groupId> <artifactId>transport</artifactId> <packaging>pom</packaging> <name>ThingsBoard Transport Microservices</name> <url>path_to_url <properties> <main.dir>${basedir}/../..</main.dir> </properties> <modules> <module>mqtt</module> <module>http</module> <module>coap</module> <module>lwm2m</module> <module>snmp</module> </modules> </project> ```
/content/code_sandbox/msa/transport/pom.xml
xml
2016-12-01T09:33:30
2024-08-16T19:58:25
thingsboard
thingsboard/thingsboard
16,820
256
```xml // All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the names of its // contributors may be used to endorse or promote products derived from // this software without specific prior written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. #import "OnDemandServer.h" #import "Breakpad.h" #include "common/mac/bootstrap_compat.h" #if DEBUG #define PRINT_MACH_RESULT(result_, message_) \ printf(message_"%s (%d)\n", mach_error_string(result_), result_ ); #if defined(MAC_OS_X_VERSION_10_5) && \ MAC_OS_X_VERSION_MAX_ALLOWED >= MAC_OS_X_VERSION_10_5 #define PRINT_BOOTSTRAP_RESULT(result_, message_) \ printf(message_"%s (%d)\n", bootstrap_strerror(result_), result_ ); #else #define PRINT_BOOTSTRAP_RESULT(result_, message_) \ PRINT_MACH_RESULT(result_, message_) #endif #else #define PRINT_MACH_RESULT(result_, message_) #define PRINT_BOOTSTRAP_RESULT(result_, message_) #endif //============================================================================== OnDemandServer *OnDemandServer::Create(const char *server_command, const char *service_name, bool unregister_on_cleanup, kern_return_t *out_result) { OnDemandServer *server = new OnDemandServer(); if (!server) return NULL; kern_return_t result = server->Initialize(server_command, service_name, unregister_on_cleanup); if (out_result) { *out_result = result; } if (result == KERN_SUCCESS) { return server; } delete server; return NULL; }; //============================================================================== kern_return_t OnDemandServer::Initialize(const char *server_command, const char *service_name, bool unregister_on_cleanup) { unregister_on_cleanup_ = unregister_on_cleanup; mach_port_t self_task = mach_task_self(); mach_port_t bootstrap_port; kern_return_t kr = task_get_bootstrap_port(self_task, &bootstrap_port); if (kr != KERN_SUCCESS) { PRINT_MACH_RESULT(kr, "task_get_bootstrap_port(): "); return kr; } mach_port_t bootstrap_subset_port; kr = bootstrap_subset(bootstrap_port, self_task, &bootstrap_subset_port); if (kr != BOOTSTRAP_SUCCESS) { PRINT_BOOTSTRAP_RESULT(kr, "bootstrap_subset(): "); return kr; } // The inspector will be invoked with its bootstrap port set to the subset, // but the sender will need access to the original bootstrap port. Although // the original port is the subset's parent, bootstrap_parent can't be used // because it requires extra privileges. Stash the original bootstrap port // in the subset by registering it under a known name. The inspector will // recover this port and set it as its own bootstrap port in Inspector.mm // Inspector::ResetBootstrapPort. kr = breakpad::BootstrapRegister( bootstrap_subset_port, const_cast<char*>(BREAKPAD_BOOTSTRAP_PARENT_PORT), bootstrap_port); if (kr != BOOTSTRAP_SUCCESS) { PRINT_BOOTSTRAP_RESULT(kr, "bootstrap_register(): "); return kr; } kr = bootstrap_create_server(bootstrap_subset_port, const_cast<char*>(server_command), geteuid(), // server uid true, &server_port_); if (kr != BOOTSTRAP_SUCCESS) { PRINT_BOOTSTRAP_RESULT(kr, "bootstrap_create_server(): "); return kr; } strlcpy(service_name_, service_name, sizeof(service_name_)); #pragma clang diagnostic push #pragma clang diagnostic ignored "-Wdeprecated-declarations" // Create a service called service_name, and return send rights to // that port in service_port_. kr = bootstrap_create_service(server_port_, const_cast<char*>(service_name), &service_port_); #pragma clang diagnostic pop if (kr != BOOTSTRAP_SUCCESS) { PRINT_BOOTSTRAP_RESULT(kr, "bootstrap_create_service(): "); // perhaps the service has already been created - try to look it up kr = bootstrap_look_up(bootstrap_port, (char*)service_name, &service_port_); if (kr != BOOTSTRAP_SUCCESS) { PRINT_BOOTSTRAP_RESULT(kr, "bootstrap_look_up(): "); Unregister(); // clean up server port return kr; } } return KERN_SUCCESS; } //============================================================================== OnDemandServer::~OnDemandServer() { if (unregister_on_cleanup_) { Unregister(); } } //============================================================================== void OnDemandServer::LaunchOnDemand() { // We need to do this, since the launched server is another process // and holding on to this port delays launching until the current process // exits! mach_port_deallocate(mach_task_self(), server_port_); server_port_ = MACH_PORT_DEAD; // Now, the service is still registered and all we need to do is send // a mach message to the service port in order to launch the server. } //============================================================================== void OnDemandServer::Unregister() { if (service_port_ != MACH_PORT_NULL) { mach_port_deallocate(mach_task_self(), service_port_); service_port_ = MACH_PORT_NULL; } if (server_port_ != MACH_PORT_NULL) { // unregister the service kern_return_t kr = breakpad::BootstrapRegister(server_port_, service_name_, MACH_PORT_NULL); if (kr != KERN_SUCCESS) { PRINT_MACH_RESULT(kr, "Breakpad UNREGISTER : bootstrap_register() : "); } mach_port_deallocate(mach_task_self(), server_port_); server_port_ = MACH_PORT_NULL; } } ```
/content/code_sandbox/src/MEGASync/google_breakpad/client/mac/Framework/OnDemandServer.mm
xml
2016-02-10T18:28:05
2024-08-16T19:36:44
MEGAsync
meganz/MEGAsync
1,593
1,470
```xml <epp xmlns="urn:ietf:params:xml:ns:epp-1.0"> <command> <transfer op="request"> <domain:transfer xmlns:domain="urn:ietf:params:xml:ns:domain-1.0"> <domain:name>example.tld</domain:name> <domain:period unit="m">1</domain:period> <domain:authInfo> <domain:pw roid="JD1234-REP">2fooBAR</domain:pw> </domain:authInfo> </domain:transfer> </transfer> <clTRID>ABC-12345</clTRID> </command> </epp> ```
/content/code_sandbox/core/src/test/resources/google/registry/flows/domain/domain_transfer_request_months.xml
xml
2016-02-29T20:16:48
2024-08-15T19:49:29
nomulus
google/nomulus
1,685
154
```xml <?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="path_to_url" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="de" original="../LocalizableStrings.resx"> <body> <trans-unit id="NoManifestGuide"> <source>If you intended to perform the action on a global tool, use the `--global` option for the command.</source> <target state="translated">Wenn Sie die Aktion fr ein globales Tool ausfhren mchten, verwenden Sie fr den Befehl die Option "--global".</target> <note /> </trans-unit> <trans-unit id="OnlyLocalOptionSupportManifestFileOption"> <source>Specifying the tool manifest option (--tool-manifest) is only valid with the local option (--local or the default).</source> <target state="translated">Die Angabe der Toolmanifestoption (--tool-manifest) ist nur mit der lokalen Option gltig (--local oder Standardwert).</target> <note /> </trans-unit> <trans-unit id="SamePackageIdInOtherManifestFile"> <source>Warning: There are other manifest files in the directory hierarchy that will affect this local tool. The following files have not been changed: {0}</source> <target state="translated">Warnung: Es sind weitere Manifestdateien in der Verzeichnishierarchie vorhanden, die sich auf dieses lokale Tool auswirken. Die folgenden Dateien wurden nicht gendert: {0}</target> <note /> </trans-unit> </body> </file> </xliff> ```
/content/code_sandbox/src/Cli/dotnet/commands/dotnet-tool/common/xlf/LocalizableStrings.de.xlf
xml
2016-07-22T21:26:02
2024-08-16T17:23:58
sdk
dotnet/sdk
2,627
412
```xml <UserControl x:Class="Aurora.Settings.Overrides.Logic.Control_Ternary" xmlns="path_to_url" xmlns:x="path_to_url" xmlns:mc="path_to_url" xmlns:d="path_to_url" xmlns:sys="clr-namespace:System;assembly=mscorlib" xmlns:local="clr-namespace:Aurora.Settings.Overrides.Logic" xmlns:util="clr-namespace:Aurora.Utils" mc:Ignorable="d"> <UserControl.Resources> <ResourceDictionary> <util:IsNullToVisibilityConverter x:Key="IsNullToVisibilityConverter" /> <local:IfElseTextConverter x:Key="IfElseTextConverter" /> </ResourceDictionary> </UserControl.Resources> <StackPanel> <ItemsControl ItemsSource="{Binding Path=ParentCondition.Cases}"> <ItemsControl.ItemTemplate> <DataTemplate> <Grid> <Grid.RowDefinitions> <RowDefinition Height="Auto" /> <RowDefinition Height="Auto" /> </Grid.RowDefinitions> <!-- Condition --> <DockPanel> <TextBlock DockPanel.Dock="Left" FontStyle="Italic" FontWeight="Bold" HorizontalAlignment="Center" VerticalAlignment="Center" Margin="5,6,0,6"> <TextBlock.Text> <MultiBinding Converter="{StaticResource IfElseTextConverter}"> <Binding Path="Condition" /> <!-- Current condition --> <Binding RelativeSource="{RelativeSource PreviousData}" Path="Condition" /> <!-- Previous condition --> </MultiBinding> </TextBlock.Text> </TextBlock> <StackPanel DockPanel.Dock="Right" Orientation="Horizontal" Visibility="{Binding Condition, Converter={StaticResource IsNullToVisibilityConverter}}"> <Button Content="" ToolTip="Increase priority of this branch" VerticalAlignment="Center" Padding="4,2" Click="CaseUp_Click" /> <Button Content="" ToolTip="Decreate priority of this branch" VerticalAlignment="Center" Padding="4,2" Click="CaseDown_Click" /> <Button Content="X" ToolTip="Remove this branch" VerticalAlignment="Center" Padding="4,2" Click="DeleteCase_Click" /> </StackPanel> <local:Control_EvaluatablePresenter Expression="{Binding Condition, Mode=TwoWay}" EvalType="{x:Type sys:Boolean}" Margin="8,0" Visibility="{Binding Path=Condition, Converter={StaticResource IsNullToVisibilityConverter}}" /> </DockPanel> <!-- Value --> <DockPanel Margin="28,4,0,16" Grid.Row="1" LastChildFill="True"> <TextBlock DockPanel.Dock="Left" Text="Then" FontStyle="Italic" FontWeight="Bold" HorizontalAlignment="Center" VerticalAlignment="Center" Margin="5,0,0,0" /> <local:Control_EvaluatablePresenter Expression="{Binding Value, Mode=TwoWay}" EvalType="{Binding Path=DataContext.EvaluatableType, RelativeSource={RelativeSource FindAncestor, AncestorType={x:Type UserControl}}}" Margin="5,0,0,0" /> </DockPanel> <!-- Separator --> <Rectangle Height="1" Margin="10,8" HorizontalAlignment="Stretch" VerticalAlignment="Bottom" Fill="#4000" Grid.RowSpan="999" /> <Rectangle Height="1" Margin="10,7" HorizontalAlignment="Stretch" VerticalAlignment="Bottom" Fill="#2FFF" Grid.RowSpan="999" /> </Grid> </DataTemplate> </ItemsControl.ItemTemplate> </ItemsControl> <StackPanel Orientation="Horizontal"> <Button Content="Add Else-If" Padding="8,3" Margin="0,0,0,3" Click="AddElseIfCase_Click" /> </StackPanel> </StackPanel> </UserControl> ```
/content/code_sandbox/Project-Aurora/Project-Aurora/Settings/Overrides/Logic/Generic/Control_IfElse.xaml
xml
2016-04-04T05:18:18
2024-08-03T10:11:45
Aurora
antonpup/Aurora
1,824
822
```xml <vector xmlns:android="path_to_url" android:height="34.0dp" android:tint="?attr/colorControlNormal" android:viewportHeight="15" android:viewportWidth="15" android:width="34.0dp"> <path android:fillColor="@android:color/white" android:pathData="M10 9.5C10 9.68 9.91 9.87 9.72 9.95L9.62 9.99L7.56 10.5L9.62 11.01C10.09 11.13 10.12 11.77 9.72 11.95L9.62 11.99L7.56 12.5L9.62 13.01C10.09 13.13 10.12 13.77 9.72 13.95L9.62 13.99L9.56 14L12 14C12.51 14 12.94 14.39 12.99 14.88L13 15L2 15C2 14.45 2.45 14 3 14L5.43 14L7.44 13.5L5.38 12.99C4.91 12.87 4.88 12.23 5.28 12.05L5.38 12.01L7.44 11.5L5.38 10.99C4.91 10.87 4.88 10.23 5.28 10.05L5.38 10.01L7.44 9.5L10 9.5ZM12 0L12 1C12.62 1 13.21 1.31 13.55 1.83L14.83 3.75C14.94 3.91 15 4.11 15 4.3L15 5.07C15 5.34 14.78 5.57 14.5 5.57C14.4 5.57 14.3 5.54 14.22 5.48L13.25 4.83C12.88 4.59 12.38 4.69 12.13 5.05C12.05 5.19 12 5.34 12 5.5C12 6.08 11.92 6.65 11.77 7.2L14.32 8.05C14.98 8.27 15.21 9.08 14.79 9.62L14.71 9.71L12.71 11.71C12.32 12.1 11.68 12.1 11.29 11.71C10.93 11.35 10.9 10.78 11.21 10.39L11.29 10.29L12.15 9.44L10.84 9L3.94 9L3 9.57L3 11L2.99 11.12C2.94 11.61 2.51 12 2 12C1.49 12 1.06 11.61 1.01 11.12L1 11L1 9L1.01 8.87C1.04 8.61 1.17 8.38 1.38 8.22L1.49 8.14L3 7.23L3 7C3 6.45 2.55 6 2 6C1.49 6 1.06 6.39 1.01 6.88L1 7C1 7.51 0.61 7.94 0.12 7.99L0 8L0 4.5C0 3.95 0.45 3.5 1 3.5C1.62 3.5 2.21 3.81 2.55 4.33L3 5C3 4.45 3.45 4 4 4L5 4L5 4.5L5.01 4.66C5.09 5.97 6.17 7 7.5 7C8.83 7 9.91 5.97 9.99 4.66L10 4.5L10 4C10 1.33 10.67 0 12 0ZM9 4L9 4.5L8.99 4.64C8.92 5.41 8.28 6 7.5 6C6.72 6 6.08 5.41 6.01 4.64L6 4.5L6 4L9 4Z"/> </vector> ```
/content/code_sandbox/app/src/main/res/drawable/ic_preset_temaki_spring_rider.xml
xml
2016-07-02T10:44:04
2024-08-16T18:55:54
StreetComplete
streetcomplete/StreetComplete
3,781
1,102
```xml import type { UseQueryResult } from '@tanstack/react-query'; import { useQuery } from '@tanstack/react-query'; import { useAtom } from 'jotai'; import invariant from 'tiny-invariant'; import type { ZoneDetails } from 'types'; import { TimeAverages } from 'utils/constants'; import { useGetZoneFromPath } from 'utils/helpers'; import { timeAverageAtom } from 'utils/state/atoms'; import { cacheBuster, getBasePath, getHeaders, QUERY_KEYS } from './helpers'; const getZone = async ( timeAverage: TimeAverages, zoneId?: string ): Promise<ZoneDetails> => { invariant(zoneId, 'Zone ID is required'); const path: URL = new URL(`v8/details/${timeAverage}/${zoneId}`, getBasePath()); path.searchParams.append('cacheKey', cacheBuster()); const requestOptions: RequestInit = { method: 'GET', headers: await getHeaders(path), }; const response = await fetch(path, requestOptions); if (response.ok) { const { data } = (await response.json()) as { data: ZoneDetails }; if (!data.zoneStates) { throw new Error('No data returned from API'); } return data; } throw new Error(await response.text()); }; // TODO: The frontend (graphs) expects that the datetimes in state are the same as in zone // should we add a check for this? const useGetZone = (): UseQueryResult<ZoneDetails> => { const zoneId = useGetZoneFromPath(); const [timeAverage] = useAtom(timeAverageAtom); return useQuery<ZoneDetails>({ queryKey: [QUERY_KEYS.ZONE, { zone: zoneId, aggregate: timeAverage }], queryFn: async () => getZone(timeAverage, zoneId), }); }; export default useGetZone; ```
/content/code_sandbox/web/src/api/getZone.ts
xml
2016-05-21T16:36:17
2024-08-16T17:56:07
electricitymaps-contrib
electricitymaps/electricitymaps-contrib
3,437
406
```xml import * as React from 'react'; import { DemoPage } from '../../DemoPage'; import { VerticalBarChartPageProps } from '@fluentui/react-examples/lib/react-charting/VerticalBarChart/VerticalBarChart.doc'; export const VerticalBarChartStandardPage = (props: { isHeaderVisible: boolean }) => ( <DemoPage jsonDocs={require('../../../../dist/api/react-charting/VerticalBarChart.page.json')} {...{ ...VerticalBarChartPageProps, ...props }} /> ); ```
/content/code_sandbox/apps/public-docsite-resources/src/components/pages/Charting/VerticalBarChartStandardPage.tsx
xml
2016-06-06T15:03:44
2024-08-16T18:49:29
fluentui
microsoft/fluentui
18,221
109
```xml import { sendPricingMessage } from '../../messageBroker'; import { IConfigDocument } from '../../models/definitions/configs'; import { IOrderInput } from '../types'; export const checkPricing = async ( subdomain: string, doc: IOrderInput, config: IConfigDocument ) => { let pricing: any = {}; try { pricing = await sendPricingMessage({ subdomain, action: 'checkPricing', data: { prioritizeRule: 'exclude', totalAmount: doc.totalAmount, departmentId: config.departmentId, branchId: config.branchId, products: [ ...doc.items.map(i => ({ itemId: i._id, productId: i.productId, quantity: i.count, price: i.unitPrice, manufacturedDate: i.manufacturedDate })) ] }, isRPC: true, defaultValue: {} }); } catch (e) { console.log(e.message); } let bonusProductsToAdd: any = {}; for (const item of doc.items || []) { const discount = pricing[item._id]; if (discount) { if (discount.bonusProducts.length !== 0) { for (const bonusProduct of discount.bonusProducts) { if (bonusProductsToAdd[bonusProduct]) { bonusProductsToAdd[bonusProduct].count += 1; } else { bonusProductsToAdd[bonusProduct] = { count: 1 }; } } } if (discount.type === 'percentage') { item.discountPercent = parseFloat( ((discount.value / item.unitPrice) * 100).toFixed(2) ); item.unitPrice -= discount.value; item.discountAmount = discount.value * item.count; } else { item.discountAmount = discount.value * item.count; item.unitPrice -= discount.value; } } } for (const bonusProductId of Object.keys(bonusProductsToAdd)) { const orderIndex = doc.items.findIndex( (docItem: any) => docItem.productId === bonusProductId ); if (orderIndex === -1) { const bonusProduct: any = { productId: bonusProductId, unitPrice: 0, count: bonusProductsToAdd[bonusProductId].count }; doc.items.push(bonusProduct); } else { const item = doc.items[orderIndex]; item.bonusCount = bonusProductsToAdd[bonusProductId].count; if ((item.bonusCount || 0) > item.count) { item.count = item.bonusCount || 0; } item.unitPrice = Math.floor( (item.unitPrice * (item.count - (item.bonusCount || 0))) / item.count ); } } return doc; }; ```
/content/code_sandbox/packages/plugin-posclient-api/src/graphql/utils/pricing.ts
xml
2016-11-11T06:54:50
2024-08-16T10:26:06
erxes
erxes/erxes
3,479
607
```xml <?xml version="1.0"?> <!-- WARNING: Modified from the official 0-9-1 specification XML by the addition of: confirm.select and confirm.select-ok, exchange.bind and exchange.bind-ok, exchange.unbind and exchange.unbind-ok, basic.nack, the ability for the Server to send basic.ack, basic.nack and basic.cancel to the client, and the un-deprecation of exchange.declare{auto-delete} and exchange.declare{internal} Modifications are (c) 2010-2013 VMware, Inc. and may be distributed under the same BSD license as below. --> <!-- All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: 1. Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. 2. Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. 3. The name of the author may not be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``AS IS'' AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --> <amqp major="0" minor="9" revision="1" port="5672"> <constant name="frame-method" value="1"/> <constant name="frame-header" value="2"/> <constant name="frame-body" value="3"/> <constant name="frame-heartbeat" value="8"/> <constant name="frame-min-size" value="4096"/> <constant name="frame-end" value="206"/> <constant name="reply-success" value="200"/> <constant name="content-too-large" value="311" class="soft-error"/> <constant name="no-route" value="312" class = "soft-error"> <doc> Errata: Section 1.2 ought to define an exception 312 "No route", which used to exist in 0-9 and is what RabbitMQ sends back with 'basic.return' when a 'mandatory' message cannot be delivered to any queue. </doc> </constant> <constant name="no-consumers" value="313" class="soft-error"/> <constant name="connection-forced" value="320" class="hard-error"/> <constant name="invalid-path" value="402" class="hard-error"/> <constant name="access-refused" value="403" class="soft-error"/> <constant name="not-found" value="404" class="soft-error"/> <constant name="resource-locked" value="405" class="soft-error"/> <constant name="precondition-failed" value="406" class="soft-error"/> <constant name="frame-error" value="501" class="hard-error"/> <constant name="syntax-error" value="502" class="hard-error"/> <constant name="command-invalid" value="503" class="hard-error"/> <constant name="channel-error" value="504" class="hard-error"/> <constant name="unexpected-frame" value="505" class="hard-error"/> <constant name="resource-error" value="506" class="hard-error"/> <constant name="not-allowed" value="530" class="hard-error"/> <constant name="not-implemented" value="540" class="hard-error"/> <constant name="internal-error" value="541" class="hard-error"/> <domain name="class-id" type="short"/> <domain name="consumer-tag" type="shortstr"/> <domain name="delivery-tag" type="longlong"/> <domain name="exchange-name" type="shortstr"> <assert check="length" value="127"/> <assert check="regexp" value="^[a-zA-Z0-9-_.:]*$"/> </domain> <domain name="method-id" type="short"/> <domain name="no-ack" type="bit"/> <domain name="no-local" type="bit"/> <domain name="no-wait" type="bit"/> <domain name="path" type="shortstr"> <assert check="notnull"/> <assert check="length" value="127"/> </domain> <domain name="peer-properties" type="table"/> <domain name="queue-name" type="shortstr"> <assert check="length" value="127"/> <assert check="regexp" value="^[a-zA-Z0-9-_.:]*$"/> </domain> <domain name="redelivered" type="bit"/> <domain name="message-count" type="long"/> <domain name="reply-code" type="short"> <assert check="notnull"/> </domain> <domain name="reply-text" type="shortstr"> <assert check="notnull"/> </domain> <domain name="bit" type="bit"/> <domain name="octet" type="octet"/> <domain name="short" type="short"/> <domain name="long" type="long"/> <domain name="longlong" type="longlong"/> <domain name="shortstr" type="shortstr"/> <domain name="longstr" type="longstr"/> <domain name="timestamp" type="timestamp"/> <domain name="table" type="table"/> <class name="connection" handler="connection" index="10"> <chassis name="server" implement="MUST"/> <chassis name="client" implement="MUST"/> <method name="start" synchronous="1" index="10"> <chassis name="client" implement="MUST"/> <response name="start-ok"/> <field name="version-major" domain="octet"/> <field name="version-minor" domain="octet"/> <field name="server-properties" domain="peer-properties"/> <field name="mechanisms" domain="longstr"> <assert check="notnull"/> </field> <field name="locales" domain="longstr"> <assert check="notnull"/> </field> </method> <method name="start-ok" synchronous="1" index="11"> <chassis name="server" implement="MUST"/> <field name="client-properties" domain="peer-properties"/> <field name="mechanism" domain="shortstr"> <assert check="notnull"/> </field> <field name="response" domain="longstr"> <assert check="notnull"/> </field> <field name="locale" domain="shortstr"> <assert check="notnull"/> </field> </method> <method name="secure" synchronous="1" index="20"> <chassis name="client" implement="MUST"/> <response name="secure-ok"/> <field name="challenge" domain="longstr"/> </method> <method name="secure-ok" synchronous="1" index="21"> <chassis name="server" implement="MUST"/> <field name="response" domain="longstr"> <assert check="notnull"/> </field> </method> <method name="tune" synchronous="1" index="30"> <chassis name="client" implement="MUST"/> <response name="tune-ok"/> <field name="channel-max" domain="short"/> <field name="frame-max" domain="long"/> <field name="heartbeat" domain="short"/> </method> <method name="tune-ok" synchronous="1" index="31"> <chassis name="server" implement="MUST"/> <field name="channel-max" domain="short"> <assert check="notnull"/> <assert check="le" method="tune" field="channel-max"/> </field> <field name="frame-max" domain="long"/> <field name="heartbeat" domain="short"/> </method> <method name="open" synchronous="1" index="40"> <chassis name="server" implement="MUST"/> <response name="open-ok"/> <field name="virtual-host" domain="path"/> <field name="reserved-1" type="shortstr" reserved="1"/> <field name="reserved-2" type="bit" reserved="1"/> </method> <method name="open-ok" synchronous="1" index="41"> <chassis name="client" implement="MUST"/> <field name="reserved-1" type="shortstr" reserved="1"/> </method> <method name="close" synchronous="1" index="50"> <chassis name="client" implement="MUST"/> <chassis name="server" implement="MUST"/> <response name="close-ok"/> <field name="reply-code" domain="reply-code"/> <field name="reply-text" domain="reply-text"/> <field name="class-id" domain="class-id"/> <field name="method-id" domain="method-id"/> </method> <method name="close-ok" synchronous="1" index="51"> <chassis name="client" implement="MUST"/> <chassis name="server" implement="MUST"/> </method> <method name="blocked" index="60"> <chassis name="server" implement="MAY"/> <field name="reason" type="shortstr"/> </method> <method name="unblocked" index="61"> <chassis name="server" implement="MAY"/> </method> </class> <class name="channel" handler="channel" index="20"> <chassis name="server" implement="MUST"/> <chassis name="client" implement="MUST"/> <method name="open" synchronous="1" index="10"> <chassis name="server" implement="MUST"/> <response name="open-ok"/> <field name="reserved-1" type="shortstr" reserved="1"/> </method> <method name="open-ok" synchronous="1" index="11"> <chassis name="client" implement="MUST"/> <field name="reserved-1" type="longstr" reserved="1"/> </method> <method name="flow" synchronous="1" index="20"> <chassis name="server" implement="MUST"/> <chassis name="client" implement="MUST"/> <response name="flow-ok"/> <field name="active" domain="bit"/> </method> <method name="flow-ok" index="21"> <chassis name="server" implement="MUST"/> <chassis name="client" implement="MUST"/> <field name="active" domain="bit"/> </method> <method name="close" synchronous="1" index="40"> <chassis name="client" implement="MUST"/> <chassis name="server" implement="MUST"/> <response name="close-ok"/> <field name="reply-code" domain="reply-code"/> <field name="reply-text" domain="reply-text"/> <field name="class-id" domain="class-id"/> <field name="method-id" domain="method-id"/> </method> <method name="close-ok" synchronous="1" index="41"> <chassis name="client" implement="MUST"/> <chassis name="server" implement="MUST"/> </method> </class> <class name="exchange" handler="channel" index="40"> <chassis name="server" implement="MUST"/> <chassis name="client" implement="MUST"/> <method name="declare" synchronous="1" index="10"> <chassis name="server" implement="MUST"/> <response name="declare-ok"/> <field name="reserved-1" type="short" reserved="1"/> <field name="exchange" domain="exchange-name"> <assert check="notnull"/> </field> <field name="type" domain="shortstr"/> <field name="passive" domain="bit"/> <field name="durable" domain="bit"/> <field name="auto-delete" domain="bit"/> <field name="internal" domain="bit"/> <field name="no-wait" domain="no-wait"/> <field name="arguments" domain="table"/> </method> <method name="declare-ok" synchronous="1" index="11"> <chassis name="client" implement="MUST"/> </method> <method name="delete" synchronous="1" index="20"> <chassis name="server" implement="MUST"/> <response name="delete-ok"/> <field name="reserved-1" type="short" reserved="1"/> <field name="exchange" domain="exchange-name"> <assert check="notnull"/> </field> <field name="if-unused" domain="bit"/> <field name="no-wait" domain="no-wait"/> </method> <method name="delete-ok" synchronous="1" index="21"> <chassis name="client" implement="MUST"/> </method> <method name="bind" synchronous="1" index="30"> <chassis name="server" implement="MUST"/> <response name="bind-ok"/> <field name="reserved-1" type="short" reserved="1"/> <field name="destination" domain="exchange-name"/> <field name="source" domain="exchange-name"/> <field name="routing-key" domain="shortstr"/> <field name="no-wait" domain="no-wait"/> <field name="arguments" domain="table"/> </method> <method name="bind-ok" synchronous="1" index="31"> <chassis name="client" implement="MUST"/> </method> <method name="unbind" synchronous="1" index="40"> <chassis name="server" implement="MUST"/> <response name="unbind-ok"/> <field name="reserved-1" type="short" reserved="1"/> <field name="destination" domain="exchange-name"/> <field name="source" domain="exchange-name"/> <field name="routing-key" domain="shortstr"/> <field name="no-wait" domain="no-wait"/> <field name="arguments" domain="table"/> </method> <method name="unbind-ok" synchronous="1" index="51"> <chassis name="client" implement="MUST"/> </method> </class> <class name="queue" handler="channel" index="50"> <chassis name="server" implement="MUST"/> <chassis name="client" implement="MUST"/> <method name="declare" synchronous="1" index="10"> <chassis name="server" implement="MUST"/> <response name="declare-ok"/> <field name="reserved-1" type="short" reserved="1"/> <field name="queue" domain="queue-name"/> <field name="passive" domain="bit"/> <field name="durable" domain="bit"/> <field name="exclusive" domain="bit"/> <field name="auto-delete" domain="bit"/> <field name="no-wait" domain="no-wait"/> <field name="arguments" domain="table"/> </method> <method name="declare-ok" synchronous="1" index="11"> <chassis name="client" implement="MUST"/> <field name="queue" domain="queue-name"> <assert check="notnull"/> </field> <field name="message-count" domain="message-count"/> <field name="consumer-count" domain="long"/> </method> <method name="bind" synchronous="1" index="20"> <chassis name="server" implement="MUST"/> <response name="bind-ok"/> <field name="reserved-1" type="short" reserved="1"/> <field name="queue" domain="queue-name"/> <field name="exchange" domain="exchange-name"/> <field name="routing-key" domain="shortstr"/> <field name="no-wait" domain="no-wait"/> <field name="arguments" domain="table"/> </method> <method name="bind-ok" synchronous="1" index="21"> <chassis name="client" implement="MUST"/> </method> <method name="unbind" synchronous="1" index="50"> <chassis name="server" implement="MUST"/> <response name="unbind-ok"/> <field name="reserved-1" type="short" reserved="1"/> <field name="queue" domain="queue-name"/> <field name="exchange" domain="exchange-name"/> <field name="routing-key" domain="shortstr"/> <field name="arguments" domain="table"/> </method> <method name="unbind-ok" synchronous="1" index="51"> <chassis name="client" implement="MUST"/> </method> <method name="purge" synchronous="1" index="30"> <chassis name="server" implement="MUST"/> <response name="purge-ok"/> <field name="reserved-1" type="short" reserved="1"/> <field name="queue" domain="queue-name"/> <field name="no-wait" domain="no-wait"/> </method> <method name="purge-ok" synchronous="1" index="31"> <chassis name="client" implement="MUST"/> <field name="message-count" domain="message-count"/> </method> <method name="delete" synchronous="1" index="40"> <chassis name="server" implement="MUST"/> <response name="delete-ok"/> <field name="reserved-1" type="short" reserved="1"/> <field name="queue" domain="queue-name"/> <field name="if-unused" domain="bit"/> <field name="if-empty" domain="bit"/> <field name="no-wait" domain="no-wait"/> </method> <method name="delete-ok" synchronous="1" index="41"> <chassis name="client" implement="MUST"/> <field name="message-count" domain="message-count"/> </method> </class> <class name="basic" handler="channel" index="60"> <chassis name="server" implement="MUST"/> <chassis name="client" implement="MAY"/> <field name="content-type" domain="shortstr"/> <field name="content-encoding" domain="shortstr"/> <field name="headers" domain="table"/> <field name="delivery-mode" domain="octet"/> <field name="priority" domain="octet"/> <field name="correlation-id" domain="shortstr"/> <field name="reply-to" domain="shortstr"/> <field name="expiration" domain="shortstr"/> <field name="message-id" domain="shortstr"/> <field name="timestamp" domain="timestamp"/> <field name="type" domain="shortstr"/> <field name="user-id" domain="shortstr"/> <field name="app-id" domain="shortstr"/> <field name="reserved" domain="shortstr"/> <method name="qos" synchronous="1" index="10"> <chassis name="server" implement="MUST"/> <response name="qos-ok"/> <field name="prefetch-size" domain="long"/> <field name="prefetch-count" domain="short"/> <field name="global" domain="bit"/> </method> <method name="qos-ok" synchronous="1" index="11"> <chassis name="client" implement="MUST"/> </method> <method name="consume" synchronous="1" index="20"> <chassis name="server" implement="MUST"/> <response name="consume-ok"/> <field name="reserved-1" type="short" reserved="1"/> <field name="queue" domain="queue-name"/> <field name="consumer-tag" domain="consumer-tag"/> <field name="no-local" domain="no-local"/> <field name="no-ack" domain="no-ack"/> <field name="exclusive" domain="bit"/> <field name="no-wait" domain="no-wait"/> <field name="arguments" domain="table"/> </method> <method name="consume-ok" synchronous="1" index="21"> <chassis name="client" implement="MUST"/> <field name="consumer-tag" domain="consumer-tag"/> </method> <method name="cancel" synchronous="1" index="30"> <chassis name="server" implement="MUST"/> <chassis name="client" implement="SHOULD"/> <response name="cancel-ok"/> <field name="consumer-tag" domain="consumer-tag"/> <field name="no-wait" domain="no-wait"/> </method> <method name="cancel-ok" synchronous="1" index="31"> <chassis name="client" implement="MUST"/> <chassis name="server" implement="MAY"/> <field name="consumer-tag" domain="consumer-tag"/> </method> <method name="publish" content="1" index="40"> <chassis name="server" implement="MUST"/> <field name="reserved-1" type="short" reserved="1"/> <field name="exchange" domain="exchange-name"/> <field name="routing-key" domain="shortstr"/> <field name="mandatory" domain="bit"/> <field name="immediate" domain="bit"/> </method> <method name="return" content="1" index="50"> <chassis name="client" implement="MUST"/> <field name="reply-code" domain="reply-code"/> <field name="reply-text" domain="reply-text"/> <field name="exchange" domain="exchange-name"/> <field name="routing-key" domain="shortstr"/> </method> <method name="deliver" content="1" index="60"> <chassis name="client" implement="MUST"/> <field name="consumer-tag" domain="consumer-tag"/> <field name="delivery-tag" domain="delivery-tag"/> <field name="redelivered" domain="redelivered"/> <field name="exchange" domain="exchange-name"/> <field name="routing-key" domain="shortstr"/> </method> <method name="get" synchronous="1" index="70"> <response name="get-ok"/> <response name="get-empty"/> <chassis name="server" implement="MUST"/> <field name="reserved-1" type="short" reserved="1"/> <field name="queue" domain="queue-name"/> <field name="no-ack" domain="no-ack"/> </method> <method name="get-ok" synchronous="1" content="1" index="71"> <chassis name="client" implement="MAY"/> <field name="delivery-tag" domain="delivery-tag"/> <field name="redelivered" domain="redelivered"/> <field name="exchange" domain="exchange-name"/> <field name="routing-key" domain="shortstr"/> <field name="message-count" domain="message-count"/> </method> <method name="get-empty" synchronous="1" index="72"> <chassis name="client" implement="MAY"/> <field name="reserved-1" type="shortstr" reserved="1"/> </method> <method name="ack" index="80"> <chassis name="server" implement="MUST"/> <chassis name="client" implement="MUST"/> <field name="delivery-tag" domain="delivery-tag"/> <field name="multiple" domain="bit"/> </method> <method name="reject" index="90"> <chassis name="server" implement="MUST"/> <field name="delivery-tag" domain="delivery-tag"/> <field name="requeue" domain="bit"/> </method> <method name="recover-async" index="100" deprecated="1"> <chassis name="server" implement="MAY"/> <field name="requeue" domain="bit"/> </method> <method name="recover" synchronous="1" index="110"> <chassis name="server" implement="MUST"/> <field name="requeue" domain="bit"/> </method> <method name="recover-ok" synchronous="1" index="111"> <chassis name="client" implement="MUST"/> </method> <method name="nack" index="120"> <chassis name="server" implement="MUST"/> <chassis name="client" implement="MUST"/> <field name="delivery-tag" domain="delivery-tag"/> <field name="multiple" domain="bit"/> <field name="requeue" domain="bit"/> </method> </class> <class name="tx" handler="channel" index="90"> <chassis name="server" implement="SHOULD"/> <chassis name="client" implement="MAY"/> <method name="select" synchronous="1" index="10"> <chassis name="server" implement="MUST"/> <response name="select-ok"/> </method> <method name="select-ok" synchronous="1" index="11"> <chassis name="client" implement="MUST"/> </method> <method name="commit" synchronous="1" index="20"> <chassis name="server" implement="MUST"/> <response name="commit-ok"/> </method> <method name="commit-ok" synchronous="1" index="21"> <chassis name="client" implement="MUST"/> </method> <method name="rollback" synchronous="1" index="30"> <chassis name="server" implement="MUST"/> <response name="rollback-ok"/> </method> <method name="rollback-ok" synchronous="1" index="31"> <chassis name="client" implement="MUST"/> </method> </class> <class name="confirm" handler="channel" index="85"> <chassis name="server" implement="SHOULD"/> <chassis name="client" implement="MAY"/> <method name="select" synchronous="1" index="10"> <chassis name="server" implement="MUST"/> <response name="select-ok"/> <field name="nowait" type="bit"/> </method> <method name="select-ok" synchronous="1" index="11"> <chassis name="client" implement="MUST"/> </method> </class> </amqp> ```
/content/code_sandbox/vendor/github.com/streadway/amqp/spec/amqp0-9-1.stripped.extended.xml
xml
2016-01-22T19:21:26
2024-08-04T13:41:35
goad
goadapp/goad
1,887
6,117
```xml import { useEnvironmentId } from '@/react/hooks/useEnvironmentId'; import { NestedDatatable } from '@@/datatables/NestedDatatable'; import { useIsSwarm } from '../../proxy/queries/useInfo'; import { useColumns } from './columns'; import { DecoratedNetwork } from './types'; export function NestedNetworksDatatable({ dataset, }: { dataset: Array<DecoratedNetwork>; }) { const environmentId = useEnvironmentId(); const isSwarm = useIsSwarm(environmentId); const columns = useColumns(isSwarm); return ( <NestedDatatable columns={columns} dataset={dataset} aria-label="Networks table" data-cy="docker-networks-nested-datatable" /> ); } ```
/content/code_sandbox/app/react/docker/networks/ListView/NestedNetworksTable.tsx
xml
2016-05-19T20:15:28
2024-08-16T19:15:14
portainer
portainer/portainer
30,083
167
```xml <?xml version="1.0" encoding="utf-8"?> <browserconfig> <msapplication> <tile> <square150x150logo src="/images/mstile-150x150.png"/> <TileColor>#d89000</TileColor> </tile> </msapplication> </browserconfig> ```
/content/code_sandbox/src/main/webapp/images/browserconfig.xml
xml
2016-09-06T12:59:15
2024-08-16T13:28:41
drawio
jgraph/drawio
40,265
71