Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

[EdgeTPU] Add EdgeTPUCompiler #1741

Merged
merged 1 commit into from
Nov 3, 2023
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
253 changes: 253 additions & 0 deletions src/Backend/CompilerImpl/DebianCompiler.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,253 @@
/*
* Copyright (c) 2023 Samsung Electronics Co., Ltd. All Rights Reserved
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/

import * as cp from "child_process";
import * as vscode from "vscode";

import { pipedSpawnSync } from "../../Utils/PipedSpawnSync";
import { Command } from "../Command";
import { Compiler } from "../Compiler";
import { PackageInfo, ToolchainInfo, Toolchains } from "../Toolchain";
import {
DebianArch,
DebianRepo,
DebianToolchain,
} from "../ToolchainImpl/DebianToolchain";
import { Version } from "../Version";

export class DebianCompiler implements Compiler {
Copy link
Collaborator

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

The name DebianCompiler is a little weird. I will update the name to the appropriate name later.

private readonly toolchainTypes: string[];
private readonly toolchainName: string;

private debianToolchainClass: typeof DebianToolchain;
private depends: Array<PackageInfo>;
private prerequisites: string;

private readonly debianRepo: DebianRepo | undefined;
private readonly debianArch: DebianArch | undefined;

constructor({
toolchainTypes,
toolchainName,
debianToolchainClass,
depends,
prerequisites,
debianRepo,
debianArch,
}: {
toolchainTypes: string[];
toolchainName: string;
debianToolchainClass: typeof DebianToolchain;
depends: Array<PackageInfo>;
prerequisites: string;
debianRepo?: DebianRepo;
debianArch?: DebianArch;
}) {
this.toolchainTypes = toolchainTypes;
this.toolchainName = toolchainName;

this.debianToolchainClass = debianToolchainClass;
this.depends = depends;
this.prerequisites = prerequisites;

this.debianRepo = debianRepo;
this.debianArch = debianArch;
}

getToolchainTypes(): string[] {
return this.toolchainTypes;
}

parseVersion(version: string): Version {
if (!version.trim()) {
throw Error("Invalid version format.");
}

let _version = version;
let option = "";

const optionIndex = version.search(/[~+-]/);
if (optionIndex !== -1) {
option = version.slice(optionIndex);
_version = version.slice(0, optionIndex);
}

const splitedVersion = _version.split(".");

if (splitedVersion.length > 3) {
throw Error("Invalid version format.");
}

let major: number | string;
let minor: number | string;
let patch: number | string;

[major = "0", minor = "0", patch = "0"] = _version.split(".");

const epochIndex = major.search(/:/);
if (epochIndex !== -1) {
major = major.slice(epochIndex + 1);
}

major = Number(major);
minor = Number(minor);
patch = Number(patch);

if (isNaN(major) || isNaN(minor) || isNaN(patch)) {
throw Error("Invalid version format.");
}
return new Version(major, minor, patch, option);
}

getToolchains(
_toolchainType: string,
_start: number,
_count: number
): Toolchains {
if (_toolchainType !== "latest") {
throw Error(`Invalid toolchain type : ${_toolchainType}`);
}

if (_start < 0) {
throw Error(`wrong start number: ${_start}`);
}
if (_count < 0) {
throw Error(`wrong count number: ${_count}`);
}
if (_count === 0) {
return [];
}

try {
cp.spawnSync(`apt-cache show ${this.toolchainName}`);
} catch (error) {
throw Error(`Getting ${this.toolchainName} package list is failed`);
}

let result;
try {
result = pipedSpawnSync(
"apt-cache",
["madison", `${this.toolchainName}`],
{ encoding: "utf8" },
"awk",
['{printf $3" "}'],
{ encoding: "utf8" }
);
} catch (error) {
throw Error(
`Getting ${this.toolchainName} package version list is failed`
);
}

if (result.status !== 0) {
return [];
}

const toolchainVersions: string = result.stdout.toString();
const versionList = toolchainVersions.trim().split(" ");

const availableToolchains = new Toolchains();
for (const version of versionList) {
const toolchainInfo = new ToolchainInfo(
this.toolchainName,
"Description: test",
this.parseVersion(version)
);

const toolchain = new this.debianToolchainClass(
toolchainInfo,
this.debianRepo,
this.debianArch
);
availableToolchains.push(toolchain);
}

return availableToolchains;
}

getInstalledToolchains(_toolchainType: string): Toolchains {
if (_toolchainType !== "latest") {
throw Error(`Invalid toolchain type : ${_toolchainType}`);
}

let result;
try {
result = cp.spawnSync(
"dpkg-query",
[
"--show",
`--showformat='\${Version} \${Description}'`,
`${this.toolchainName}`,
],
{ encoding: "utf8" }
);
} catch (error) {
throw new Error(
`Getting installed ${this.toolchainName} package list is failed`
);
}

if (result.status !== 0) {
return [];
}

// NOTE
// The output format string of dpkg-query is '${Version} ${Description}'.
// To remove the first and last single quote character of output string, it slices from 1 to -1.
const installedToolchain: string = result.stdout.toString().slice(1, -1);

const descriptionIdx = installedToolchain.search(" ");
const versionStr = installedToolchain.slice(0, descriptionIdx).trim();
const description = installedToolchain.slice(descriptionIdx).trim();

// NOTE
// onecc-docker does not have any explict dependencies,
// but it has internally dependency to one-compiler and it is seen in depends.

// TODO
// onecc-docker's depends should be modified later so that we can read the one-compiler version.

const toolchainInfo = new ToolchainInfo(
this.toolchainName,
description,
this.parseVersion(versionStr),
this.depends
);
const toolchain = new this.debianToolchainClass(
toolchainInfo,
this.debianRepo,
this.debianArch
);
return [toolchain];
}

prerequisitesForGetToolchains(): Command {
const extensionId = "Samsung.one-vscode";
const ext = vscode.extensions.getExtension(
extensionId
) as vscode.Extension<any>;
const scriptPath = vscode.Uri.joinPath(
ext!.extensionUri,
"script",
this.prerequisites
).fsPath;

const cmd = new Command("/bin/sh", [`${scriptPath}`]);
cmd.setRoot();
return cmd;
}
}
71 changes: 67 additions & 4 deletions src/Backend/EdgeTPU/EdgeTPUToolchain.ts
Original file line number Diff line number Diff line change
Expand Up @@ -14,13 +14,16 @@
* limitations under the License.
*/

import { Command } from "../Command";
import { DebianToolchain } from "../ToolchainImpl/DebianToolchain";

import * as ini from "ini";
import * as fs from "fs";
import * as path from "path";

import { Logger } from "../../Utils/Logger";
import { Command } from "../Command";
import { PackageInfo } from "../Toolchain";
import { DebianToolchain } from "../ToolchainImpl/DebianToolchain";
import { Version } from "../Version";
import { DebianCompiler } from "../CompilerImpl/DebianCompiler";

class EdgeTPUDebianToolchain extends DebianToolchain {
run(cfg: string): Command {
Expand Down Expand Up @@ -77,4 +80,64 @@ class EdgeTPUDebianToolchain extends DebianToolchain {
}
}

export { EdgeTPUDebianToolchain };
class EdgeTPUCompiler extends DebianCompiler {
constructor() {
super({
toolchainTypes: ["latest"],
toolchainName: "edgetpu-compiler",
debianToolchainClass: EdgeTPUDebianToolchain,
depends: [
new PackageInfo("edgetpu_compiler", new Version(16, 0, undefined)),
],
prerequisites: "prerequisitesForGetEdgeTPUToolchain.sh",
});
}

parseVersion(version: string): Version {
if (!version.trim()) {
throw Error("Invalid version format.");
}

let _version = version;
let option = "";

const optionIndex = version.search(/[~+-]/);
if (optionIndex !== -1) {
option = version.slice(optionIndex);
_version = version.slice(0, optionIndex);
}

const splitedVersion = _version.split(".");

if (splitedVersion.length > 3) {
throw Error("Invalid version format.");
}

let major: number | string;
let minor: number | string;
let patch: number | string;

[major = "0", minor = "0", patch = "0"] = _version.split(".");

const epochIndex = major.search(/:/);
if (epochIndex !== -1) {
major = major.slice(epochIndex + 1);
}

major = Number(major);
minor = Number(minor);
patch = Number(patch);

if (isNaN(major) || isNaN(minor) || isNaN(patch)) {
throw Error("Invalid version format.");
}

if (splitedVersion.length === 2 && !option) {
return new Version(major, minor, undefined);
}

return new Version(major, minor, patch, option);
}
}

export { EdgeTPUDebianToolchain, EdgeTPUCompiler };
Loading