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

feat(coap-server): add initial meta operation support #1086

Merged
merged 4 commits into from
Sep 22, 2023
Merged
Show file tree
Hide file tree
Changes from 2 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
149 changes: 134 additions & 15 deletions packages/binding-coap/src/coap-server.ts
Original file line number Diff line number Diff line change
Expand Up @@ -34,6 +34,7 @@
import { MdnsIntroducer } from "./mdns-introducer";
import { PropertyElement, DataSchema } from "wot-thing-description-types";
import { CoapServerConfig } from "./coap";
import { DataSchemaValue } from "wot-typescript-definitions";

const { debug, warn, info, error } = createLoggers("binding-coap", "coap-server");

Expand Down Expand Up @@ -171,6 +172,8 @@
for (const offeredMediaType of offeredMediaTypes) {
const base = this.createThingBase(address, port, urlPath);

this.fillInMetaPropertiesBindingData(thing, base, offeredMediaType);

this.fillInPropertyBindingData(thing, base, offeredMediaType);
this.fillInActionBindingData(thing, base, offeredMediaType);
this.fillInEventBindingData(thing, base, offeredMediaType);
Expand All @@ -182,17 +185,64 @@
return `${this.scheme}://${address}:${port}/${encodeURIComponent(urlPath)}`;
}

private fillInMetaPropertiesBindingData(thing: ExposedThing, base: string, offeredMediaType: string) {
const opValues = this.createPropertyMetaOpValues(thing);

if (opValues.length === 0) {
return;
}

if (thing.forms == null) {
thing.forms = [];
}

const form = this.createAffordanceForm(base, this.PROPERTY_DIR, offeredMediaType, opValues, thing.uriVariables);

thing.forms.push(form);
}

private getReadableProperties(thing: ExposedThing) {
return Object.entries(thing.properties).filter(([_, value]) => value.writeOnly !== true);
}

private getWritableProperties(thing: ExposedThing) {
return Object.entries(thing.properties).filter(([_, value]) => value.readOnly !== true);
}

Check warning on line 210 in packages/binding-coap/src/coap-server.ts

View check run for this annotation

Codecov / codecov/patch

packages/binding-coap/src/coap-server.ts#L209-L210

Added lines #L209 - L210 were not covered by tests

private createPropertyMetaOpValues(thing: ExposedThing): string[] {
const properties = Object.values(thing.properties);
const numberOfProperties = properties.length;

if (numberOfProperties === 0) {
return [];
}

const readableProperties = this.getReadableProperties(thing).length;

const opValues: string[] = [];

if (readableProperties > 0) {
opValues.push("readmultipleproperties");
}

if (readableProperties === numberOfProperties) {
opValues.push("readallproperties");
}
Comment on lines +220 to +226
Copy link
Member

Choose a reason for hiding this comment

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

Actually, the spec is not clear about this semantic. One could still understand that the readallproperties operation just works on the set of readable properties of the thing. I guess for the time being is alright to leave as it is, but still other bindings implementations might act differently.


return opValues;
}

private fillInPropertyBindingData(thing: ExposedThing, base: string, offeredMediaType: string) {
for (const [propertyName, property] of Object.entries(thing.properties)) {
const opValues = ProtocolHelpers.getPropertyOpValues(property);
const form = this.createAffordanceForm(
base,
this.PROPERTY_DIR,
propertyName,
offeredMediaType,
opValues,
property.uriVariables,
thing.uriVariables
thing.uriVariables,
propertyName,
property.uriVariables
);

property.forms.push(form);
Expand All @@ -205,11 +255,11 @@
const form = this.createAffordanceForm(
base,
this.ACTION_DIR,
actionName,
offeredMediaType,
"invokeaction",
action.uriVariables,
thing.uriVariables
thing.uriVariables,
actionName,
action.uriVariables
);

action.forms.push(form);
Expand All @@ -222,11 +272,11 @@
const form = this.createAffordanceForm(
base,
this.EVENT_DIR,
eventName,
offeredMediaType,
["subscribeevent", "unsubscribeevent"],
event.uriVariables,
thing.uriVariables
thing.uriVariables,
eventName,
event.uriVariables
);

event.forms.push(form);
Expand All @@ -237,19 +287,23 @@
private createAffordanceForm(
base: string,
affordancePathSegment: string,
affordanceName: string,
offeredMediaType: string,
opValues: string | string[],
affordanceUriVariables: PropertyElement["uriVariables"] = {},
thingUriVariables: PropertyElement["uriVariables"] = {}
thingUriVariables: PropertyElement["uriVariables"],
affordanceName?: string,
affordanceUriVariables?: PropertyElement["uriVariables"]
): TD.Form {
const affordanceNamePattern = Helpers.updateInteractionNameWithUriVariablePattern(
affordanceName,
affordanceName ?? "",
affordanceUriVariables,
thingUriVariables
);

const href = `${base}/${affordancePathSegment}/${encodeURIComponent(affordanceNamePattern)}`;
let href = `${base}/${affordancePathSegment}`;

if (affordanceNamePattern.length > 0) {
href += `/${encodeURIComponent(affordanceNamePattern)}`;
}

const form = new TD.Form(href, offeredMediaType);
form.op = opValues;
Expand Down Expand Up @@ -473,7 +527,7 @@
const property = thing.properties[affordanceKey];

if (property == null) {
this.sendNotFoundResponse(res);
this.handlePropertiesRequest(req, contentType, thing, res);
return;
}

Expand All @@ -498,6 +552,71 @@
}
}

private async handlePropertiesRequest(
req: IncomingMessage,
contentType: string,
thing: ExposedThing,
res: OutgoingMessage
) {
const forms = thing.forms;

if (forms == null) {
this.sendNotFoundResponse(res);
return;
}

Check warning on line 566 in packages/binding-coap/src/coap-server.ts

View check run for this annotation

Codecov / codecov/patch

packages/binding-coap/src/coap-server.ts#L564-L566

Added lines #L564 - L566 were not covered by tests

switch (req.method) {
case "GET":
this.handleReadMultipleProperties(forms, req, contentType, thing, res);
break;
default:
this.sendMethodNotAllowedResponse(res);
break;

Check warning on line 574 in packages/binding-coap/src/coap-server.ts

View check run for this annotation

Codecov / codecov/patch

packages/binding-coap/src/coap-server.ts#L573-L574

Added lines #L573 - L574 were not covered by tests
}
}

private async handleReadMultipleProperties(
forms: TD.Form[],
req: IncomingMessage,
contentType: string,
thing: ExposedThing,
res: OutgoingMessage
) {
try {
const interactionOptions = this.createInteractionOptions(
forms,
thing,
req,
contentType,
thing.uriVariables
);
const readablePropertyKeys = this.getReadableProperties(thing).map(([key, _]) => key);
const contentMap = await thing.handleReadMultipleProperties(readablePropertyKeys, interactionOptions);

const recordResponse: Record<string, DataSchemaValue> = {};
for (const [key, content] of contentMap.entries()) {
const value = ContentSerdes.get().contentToValue(
{ type: ContentSerdes.DEFAULT, body: await content.toBuffer() },
{}
);

if (value == null) {
// TODO: How should this case be handled?
continue;
}

Check warning on line 606 in packages/binding-coap/src/coap-server.ts

View check run for this annotation

Codecov / codecov/patch

packages/binding-coap/src/coap-server.ts#L604-L606

Added lines #L604 - L606 were not covered by tests

recordResponse[key] = value;
}

const content = ContentSerdes.get().valueToContent(recordResponse, undefined, contentType);
this.streamContentResponse(res, content);
} catch (err) {
const errorMessage = `${err}`;
error(`CoapServer on port ${this.getPort()} got internal error on read '${req.url}': ${errorMessage}`);
this.sendResponse(res, "5.00", errorMessage);
}

Check warning on line 617 in packages/binding-coap/src/coap-server.ts

View check run for this annotation

Codecov / codecov/patch

packages/binding-coap/src/coap-server.ts#L614-L617

Added lines #L614 - L617 were not covered by tests
}

private async handleReadProperty(
property: PropertyElement,
req: IncomingMessage,
Expand Down
103 changes: 103 additions & 0 deletions packages/binding-coap/test/coap-server-test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -463,4 +463,107 @@ class CoapServerTest {
await coapClient.stop();
await coapServer.stop();
}

@test async "should report allproperties excluding non-JSON properties"() {
const port = 5683;
const coapServer = new CoapServer({ port });
const servient = new Servient();

await coapServer.start(servient);

const tdTemplate: WoT.ExposedThingInit = {
title: "TestA",
properties: {
image: {
forms: [
{
contentType: "image/svg+xml",
},
],
},
testInteger: {
type: "integer",
},
testBoolean: {
type: "boolean",
},
testString: {
type: "string",
},
testObject: {
type: "object",
},
testArray: {
type: "array",
},
},
};
const testThing = new ExposedThing(servient, tdTemplate);

const image = "<svg xmlns='http://www.w3.org/2000/svg'><text>FOO</text></svg>";
const integer = 123;
const boolean = true;
const string = "ABCD";
const object = { t1: "xyz", i: 77 };
const array = ["x", "y", "z"];
testThing.setPropertyReadHandler("image", async (_) => image);
testThing.setPropertyReadHandler("testInteger", async (_) => integer);
testThing.setPropertyReadHandler("testBoolean", async (_) => boolean);
testThing.setPropertyReadHandler("testString", async (_) => string);
testThing.setPropertyReadHandler("testObject", async (_) => object);
testThing.setPropertyReadHandler("testArray", async (_) => array);

// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore
testThing.properties.image.forms = [];
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore
testThing.properties.testInteger.forms = [];
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore
testThing.properties.testBoolean.forms = [];
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore
testThing.properties.testString.forms = [];
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore
testThing.properties.testObject.forms = [];
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore
testThing.properties.testArray.forms = [];

await coapServer.expose(testThing, tdTemplate);

const coapClient = new CoapClient(coapServer);

const decodeContent = async (content: Content) => JSON.parse((await content.toBuffer()).toString());

const baseUri = `coap://localhost:${port}/testa/properties`;

// check values one by one first
const responseInteger = await coapClient.readResource(new TD.Form(`${baseUri}/testInteger`));
expect(await decodeContent(responseInteger)).to.equal(integer);
const responseBoolean = await coapClient.readResource(new TD.Form(`${baseUri}/testBoolean`));
expect(await decodeContent(responseBoolean)).to.equal(boolean);
const responseString = await coapClient.readResource(new TD.Form(`${baseUri}/testString`));
expect(await decodeContent(responseString)).to.equal(string);
const responseObject = await coapClient.readResource(new TD.Form(`${baseUri}/testObject`));
expect(await decodeContent(responseObject)).to.deep.equal(object);
const responseArray = await coapClient.readResource(new TD.Form(`${baseUri}/testArray`));
expect(await decodeContent(responseArray)).to.deep.equal(array);

// check values of readallproperties
const responseAll = await coapClient.readResource(new TD.Form(baseUri));
expect(await decodeContent(responseAll)).to.deep.equal({
image: image,
testInteger: integer,
testBoolean: boolean,
testString: string,
testObject: object,
testArray: array,
});

await coapServer.stop();
await coapClient.stop();
}
}
Loading