Initial commit for Ads Service. (#21)
* Initial commit for Ads Service. * update comments for AdsService and AdsServiceClient * Refactor Ads to Ad Move building AdService to Docker Use default setting for Stackdriver Exporter. Add license text. * Revert the projectId - also remove commented code from frontend/rpc.go * Add adservie to skaffold.yaml * Remove skaffold-adservice.yaml * Replace personal projectId with demo projectId. * Fix the crash in adservice when ran in locally. * Ignore .skaffold*yaml file and .kubernetes-manifests-*/ dir for easy ProjectID switch. * Fixed review comments. 1. Changed Ad redirect urls to products. 2. Removed leftovers from Dockerfile/kub*manifests*yaml 3. Added retry for StackDriver. 4. Added log for Ad request. 5. Added comment for gradle caching. 6. Added README.md to src/adservice. * Added GRPC Health service to Ad Service Also added 1. timeout to getAd RPC call in frontend. 2. Async thread for stackdriver init.
This commit is contained in:
parent
1d266bfdcf
commit
f35fdbcac3
19 changed files with 1455 additions and 270 deletions
8
src/adservice/.gitignore
vendored
Normal file
8
src/adservice/.gitignore
vendored
Normal file
|
@ -0,0 +1,8 @@
|
|||
*.iml
|
||||
*.ipr
|
||||
*.iws
|
||||
.gradle/**
|
||||
.idea/**
|
||||
build/**
|
||||
|
||||
|
15
src/adservice/Dockerfile
Normal file
15
src/adservice/Dockerfile
Normal file
|
@ -0,0 +1,15 @@
|
|||
# adsservice
|
||||
FROM openjdk:8
|
||||
RUN apt-get update && apt-get install net-tools telnet
|
||||
WORKDIR /app
|
||||
|
||||
# Next three steps are for caching dependency downloads
|
||||
# to improve subsequent docker build.
|
||||
COPY ["build.gradle", "gradlew", "./"]
|
||||
COPY gradle gradle
|
||||
RUN ./gradlew downloadRepos
|
||||
|
||||
COPY . .
|
||||
RUN ./gradlew installDist
|
||||
EXPOSE 9555
|
||||
ENTRYPOINT ["/app/build/install/hipstershop/bin/AdService"]
|
26
src/adservice/README.md
Normal file
26
src/adservice/README.md
Normal file
|
@ -0,0 +1,26 @@
|
|||
# Ad Service
|
||||
|
||||
The Ad service provides advertisement based on context keys. If no context keys are provided then it returns random ads.
|
||||
|
||||
## Local Build
|
||||
|
||||
The Ad service uses gradlew to compile/install/distribute. Gradle wrapper is already part of the source code. To build Ad Service, run
|
||||
```
|
||||
cd src/adservice; ./gradlew installDist
|
||||
```
|
||||
It will create executable script src/adservice/build/install/hipstershop/bin/AdService
|
||||
|
||||
### Upgrade gradle version
|
||||
If you need to upgrade the version of gradle then run
|
||||
```
|
||||
cd src/adservice ; ./gradlew wrapper --gradle-version <new-version>
|
||||
```
|
||||
|
||||
## Docker Build
|
||||
|
||||
From repository root, run:
|
||||
|
||||
```
|
||||
docker build --file src/adservice/Dockerfile .
|
||||
```
|
||||
|
122
src/adservice/build.gradle
Normal file
122
src/adservice/build.gradle
Normal file
|
@ -0,0 +1,122 @@
|
|||
description = 'Ad Service'
|
||||
|
||||
buildscript {
|
||||
repositories {
|
||||
mavenCentral()
|
||||
mavenLocal()
|
||||
maven {
|
||||
url "https://plugins.gradle.org/m2/"
|
||||
}
|
||||
}
|
||||
dependencies {
|
||||
classpath 'com.google.protobuf:protobuf-gradle-plugin:0.8.3'
|
||||
}
|
||||
}
|
||||
|
||||
apply plugin: 'idea'
|
||||
apply plugin: 'java'
|
||||
apply plugin: 'com.google.protobuf'
|
||||
|
||||
repositories {
|
||||
mavenCentral()
|
||||
mavenLocal()
|
||||
}
|
||||
|
||||
group = "adservice"
|
||||
version = "0.1.0-SNAPSHOT" // CURRENT_OPENCENSUS_VERSION
|
||||
|
||||
def opencensusVersion = "0.15.0" // LATEST_OPENCENSUS_RELEASE_VERSION
|
||||
def grpcVersion = "1.10.1" // CURRENT_GRPC_VERSION
|
||||
def prometheusVersion = "0.3.0"
|
||||
|
||||
tasks.withType(JavaCompile) {
|
||||
sourceCompatibility = '1.8'
|
||||
targetCompatibility = '1.8'
|
||||
}
|
||||
|
||||
ext {
|
||||
speed = project.hasProperty('speed') ? project.getProperty('speed') : false
|
||||
offlineCompile = new File("$buildDir/output/lib")
|
||||
}
|
||||
|
||||
dependencies {
|
||||
if (speed) {
|
||||
compile fileTree(dir: offlineCompile, include: '*.jar')
|
||||
} else {
|
||||
compile "com.google.api.grpc:proto-google-common-protos:1.11.0",
|
||||
"io.opencensus:opencensus-exporter-stats-prometheus:${opencensusVersion}",
|
||||
"io.opencensus:opencensus-exporter-stats-stackdriver:${opencensusVersion}",
|
||||
"io.opencensus:opencensus-exporter-trace-stackdriver:${opencensusVersion}",
|
||||
"io.opencensus:opencensus-exporter-trace-logging:${opencensusVersion}",
|
||||
"io.grpc:grpc-protobuf:${grpcVersion}",
|
||||
"io.grpc:grpc-stub:${grpcVersion}",
|
||||
"io.grpc:grpc-netty:${grpcVersion}",
|
||||
"io.grpc:grpc-services:${grpcVersion}",
|
||||
"io.prometheus:simpleclient_httpserver:${prometheusVersion}"
|
||||
|
||||
runtime "io.opencensus:opencensus-impl:${opencensusVersion}",
|
||||
"io.netty:netty-tcnative-boringssl-static:2.0.8.Final"
|
||||
}
|
||||
}
|
||||
|
||||
protobuf {
|
||||
protoc {
|
||||
artifact = 'com.google.protobuf:protoc:3.5.1-1'
|
||||
}
|
||||
plugins {
|
||||
grpc {
|
||||
artifact = "io.grpc:protoc-gen-grpc-java:${grpcVersion}"
|
||||
}
|
||||
}
|
||||
generateProtoTasks {
|
||||
all()*.plugins {
|
||||
grpc {}
|
||||
}
|
||||
ofSourceSet('main')
|
||||
}
|
||||
}
|
||||
|
||||
// Inform IDEs like IntelliJ IDEA, Eclipse or NetBeans about the generated code.
|
||||
sourceSets {
|
||||
main {
|
||||
java {
|
||||
srcDirs 'hipstershop'
|
||||
srcDirs 'build/generated/source/proto/main/java/hipstershop'
|
||||
srcDirs 'build/generated/source/proto/main/grpc/hipstershop'
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// Provide convenience executables for trying out the examples.
|
||||
apply plugin: 'application'
|
||||
|
||||
startScripts.enabled = false
|
||||
|
||||
// This to cache dependencies during Docker image building. First build will take time.
|
||||
// Subsequent build will be incremental.
|
||||
task downloadRepos(type: Copy) {
|
||||
from configurations.compile
|
||||
into offlineCompile
|
||||
from configurations.runtime
|
||||
into offlineCompile
|
||||
}
|
||||
|
||||
task adService(type: CreateStartScripts) {
|
||||
mainClassName = 'hipstershop.AdService'
|
||||
applicationName = 'AdService'
|
||||
outputDir = new File(project.buildDir, 'tmp')
|
||||
classpath = jar.outputs.files + project.configurations.runtime
|
||||
}
|
||||
|
||||
task adServiceClient(type: CreateStartScripts) {
|
||||
mainClassName = 'hipstershop.AdServiceClient'
|
||||
applicationName = 'AdServiceClient'
|
||||
outputDir = new File(project.buildDir, 'tmp')
|
||||
classpath = jar.outputs.files + project.configurations.runtime
|
||||
}
|
||||
|
||||
applicationDistribution.into('bin') {
|
||||
from(adService)
|
||||
from(adServiceClient)
|
||||
fileMode = 0755
|
||||
}
|
22
src/adservice/genproto.sh
Executable file
22
src/adservice/genproto.sh
Executable file
|
@ -0,0 +1,22 @@
|
|||
#!/bin/bash -eu
|
||||
#
|
||||
# Copyright 2018 Google LLC
|
||||
#
|
||||
# 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.
|
||||
|
||||
#!/bin/bash -e
|
||||
|
||||
# protos are needed in adservice folder for compiling during Docker build.
|
||||
|
||||
mkdir -p proto && \
|
||||
cp ../../pb/demo.proto src/main/proto
|
BIN
src/adservice/gradle/wrapper/gradle-wrapper.jar
vendored
Normal file
BIN
src/adservice/gradle/wrapper/gradle-wrapper.jar
vendored
Normal file
Binary file not shown.
5
src/adservice/gradle/wrapper/gradle-wrapper.properties
vendored
Normal file
5
src/adservice/gradle/wrapper/gradle-wrapper.properties
vendored
Normal file
|
@ -0,0 +1,5 @@
|
|||
distributionBase=GRADLE_USER_HOME
|
||||
distributionPath=wrapper/dists
|
||||
zipStoreBase=GRADLE_USER_HOME
|
||||
zipStorePath=wrapper/dists
|
||||
distributionUrl=https\://services.gradle.org/distributions/gradle-4.4-bin.zip
|
172
src/adservice/gradlew
vendored
Executable file
172
src/adservice/gradlew
vendored
Executable file
|
@ -0,0 +1,172 @@
|
|||
#!/usr/bin/env sh
|
||||
|
||||
##############################################################################
|
||||
##
|
||||
## Gradle start up script for UN*X
|
||||
##
|
||||
##############################################################################
|
||||
|
||||
# Attempt to set APP_HOME
|
||||
# Resolve links: $0 may be a link
|
||||
PRG="$0"
|
||||
# Need this for relative symlinks.
|
||||
while [ -h "$PRG" ] ; do
|
||||
ls=`ls -ld "$PRG"`
|
||||
link=`expr "$ls" : '.*-> \(.*\)$'`
|
||||
if expr "$link" : '/.*' > /dev/null; then
|
||||
PRG="$link"
|
||||
else
|
||||
PRG=`dirname "$PRG"`"/$link"
|
||||
fi
|
||||
done
|
||||
SAVED="`pwd`"
|
||||
cd "`dirname \"$PRG\"`/" >/dev/null
|
||||
APP_HOME="`pwd -P`"
|
||||
cd "$SAVED" >/dev/null
|
||||
|
||||
APP_NAME="Gradle"
|
||||
APP_BASE_NAME=`basename "$0"`
|
||||
|
||||
# Add default JVM options here. You can also use JAVA_OPTS and GRADLE_OPTS to pass JVM options to this script.
|
||||
DEFAULT_JVM_OPTS=""
|
||||
|
||||
# Use the maximum available, or set MAX_FD != -1 to use that value.
|
||||
MAX_FD="maximum"
|
||||
|
||||
warn () {
|
||||
echo "$*"
|
||||
}
|
||||
|
||||
die () {
|
||||
echo
|
||||
echo "$*"
|
||||
echo
|
||||
exit 1
|
||||
}
|
||||
|
||||
# OS specific support (must be 'true' or 'false').
|
||||
cygwin=false
|
||||
msys=false
|
||||
darwin=false
|
||||
nonstop=false
|
||||
case "`uname`" in
|
||||
CYGWIN* )
|
||||
cygwin=true
|
||||
;;
|
||||
Darwin* )
|
||||
darwin=true
|
||||
;;
|
||||
MINGW* )
|
||||
msys=true
|
||||
;;
|
||||
NONSTOP* )
|
||||
nonstop=true
|
||||
;;
|
||||
esac
|
||||
|
||||
CLASSPATH=$APP_HOME/gradle/wrapper/gradle-wrapper.jar
|
||||
|
||||
# Determine the Java command to use to start the JVM.
|
||||
if [ -n "$JAVA_HOME" ] ; then
|
||||
if [ -x "$JAVA_HOME/jre/sh/java" ] ; then
|
||||
# IBM's JDK on AIX uses strange locations for the executables
|
||||
JAVACMD="$JAVA_HOME/jre/sh/java"
|
||||
else
|
||||
JAVACMD="$JAVA_HOME/bin/java"
|
||||
fi
|
||||
if [ ! -x "$JAVACMD" ] ; then
|
||||
die "ERROR: JAVA_HOME is set to an invalid directory: $JAVA_HOME
|
||||
|
||||
Please set the JAVA_HOME variable in your environment to match the
|
||||
location of your Java installation."
|
||||
fi
|
||||
else
|
||||
JAVACMD="java"
|
||||
which java >/dev/null 2>&1 || die "ERROR: JAVA_HOME is not set and no 'java' command could be found in your PATH.
|
||||
|
||||
Please set the JAVA_HOME variable in your environment to match the
|
||||
location of your Java installation."
|
||||
fi
|
||||
|
||||
# Increase the maximum file descriptors if we can.
|
||||
if [ "$cygwin" = "false" -a "$darwin" = "false" -a "$nonstop" = "false" ] ; then
|
||||
MAX_FD_LIMIT=`ulimit -H -n`
|
||||
if [ $? -eq 0 ] ; then
|
||||
if [ "$MAX_FD" = "maximum" -o "$MAX_FD" = "max" ] ; then
|
||||
MAX_FD="$MAX_FD_LIMIT"
|
||||
fi
|
||||
ulimit -n $MAX_FD
|
||||
if [ $? -ne 0 ] ; then
|
||||
warn "Could not set maximum file descriptor limit: $MAX_FD"
|
||||
fi
|
||||
else
|
||||
warn "Could not query maximum file descriptor limit: $MAX_FD_LIMIT"
|
||||
fi
|
||||
fi
|
||||
|
||||
# For Darwin, add options to specify how the application appears in the dock
|
||||
if $darwin; then
|
||||
GRADLE_OPTS="$GRADLE_OPTS \"-Xdock:name=$APP_NAME\" \"-Xdock:icon=$APP_HOME/media/gradle.icns\""
|
||||
fi
|
||||
|
||||
# For Cygwin, switch paths to Windows format before running java
|
||||
if $cygwin ; then
|
||||
APP_HOME=`cygpath --path --mixed "$APP_HOME"`
|
||||
CLASSPATH=`cygpath --path --mixed "$CLASSPATH"`
|
||||
JAVACMD=`cygpath --unix "$JAVACMD"`
|
||||
|
||||
# We build the pattern for arguments to be converted via cygpath
|
||||
ROOTDIRSRAW=`find -L / -maxdepth 1 -mindepth 1 -type d 2>/dev/null`
|
||||
SEP=""
|
||||
for dir in $ROOTDIRSRAW ; do
|
||||
ROOTDIRS="$ROOTDIRS$SEP$dir"
|
||||
SEP="|"
|
||||
done
|
||||
OURCYGPATTERN="(^($ROOTDIRS))"
|
||||
# Add a user-defined pattern to the cygpath arguments
|
||||
if [ "$GRADLE_CYGPATTERN" != "" ] ; then
|
||||
OURCYGPATTERN="$OURCYGPATTERN|($GRADLE_CYGPATTERN)"
|
||||
fi
|
||||
# Now convert the arguments - kludge to limit ourselves to /bin/sh
|
||||
i=0
|
||||
for arg in "$@" ; do
|
||||
CHECK=`echo "$arg"|egrep -c "$OURCYGPATTERN" -`
|
||||
CHECK2=`echo "$arg"|egrep -c "^-"` ### Determine if an option
|
||||
|
||||
if [ $CHECK -ne 0 ] && [ $CHECK2 -eq 0 ] ; then ### Added a condition
|
||||
eval `echo args$i`=`cygpath --path --ignore --mixed "$arg"`
|
||||
else
|
||||
eval `echo args$i`="\"$arg\""
|
||||
fi
|
||||
i=$((i+1))
|
||||
done
|
||||
case $i in
|
||||
(0) set -- ;;
|
||||
(1) set -- "$args0" ;;
|
||||
(2) set -- "$args0" "$args1" ;;
|
||||
(3) set -- "$args0" "$args1" "$args2" ;;
|
||||
(4) set -- "$args0" "$args1" "$args2" "$args3" ;;
|
||||
(5) set -- "$args0" "$args1" "$args2" "$args3" "$args4" ;;
|
||||
(6) set -- "$args0" "$args1" "$args2" "$args3" "$args4" "$args5" ;;
|
||||
(7) set -- "$args0" "$args1" "$args2" "$args3" "$args4" "$args5" "$args6" ;;
|
||||
(8) set -- "$args0" "$args1" "$args2" "$args3" "$args4" "$args5" "$args6" "$args7" ;;
|
||||
(9) set -- "$args0" "$args1" "$args2" "$args3" "$args4" "$args5" "$args6" "$args7" "$args8" ;;
|
||||
esac
|
||||
fi
|
||||
|
||||
# Escape application args
|
||||
save () {
|
||||
for i do printf %s\\n "$i" | sed "s/'/'\\\\''/g;1s/^/'/;\$s/\$/' \\\\/" ; done
|
||||
echo " "
|
||||
}
|
||||
APP_ARGS=$(save "$@")
|
||||
|
||||
# Collect all arguments for the java command, following the shell quoting and substitution rules
|
||||
eval set -- $DEFAULT_JVM_OPTS $JAVA_OPTS $GRADLE_OPTS "\"-Dorg.gradle.appname=$APP_BASE_NAME\"" -classpath "\"$CLASSPATH\"" org.gradle.wrapper.GradleWrapperMain "$APP_ARGS"
|
||||
|
||||
# by default we should be in the correct project dir, but when run from Finder on Mac, the cwd is wrong
|
||||
if [ "$(uname)" = "Darwin" ] && [ "$HOME" = "$PWD" ]; then
|
||||
cd "$(dirname "$0")"
|
||||
fi
|
||||
|
||||
exec "$JAVACMD" "$@"
|
84
src/adservice/gradlew.bat
vendored
Normal file
84
src/adservice/gradlew.bat
vendored
Normal file
|
@ -0,0 +1,84 @@
|
|||
@if "%DEBUG%" == "" @echo off
|
||||
@rem ##########################################################################
|
||||
@rem
|
||||
@rem Gradle startup script for Windows
|
||||
@rem
|
||||
@rem ##########################################################################
|
||||
|
||||
@rem Set local scope for the variables with windows NT shell
|
||||
if "%OS%"=="Windows_NT" setlocal
|
||||
|
||||
set DIRNAME=%~dp0
|
||||
if "%DIRNAME%" == "" set DIRNAME=.
|
||||
set APP_BASE_NAME=%~n0
|
||||
set APP_HOME=%DIRNAME%
|
||||
|
||||
@rem Add default JVM options here. You can also use JAVA_OPTS and GRADLE_OPTS to pass JVM options to this script.
|
||||
set DEFAULT_JVM_OPTS=
|
||||
|
||||
@rem Find java.exe
|
||||
if defined JAVA_HOME goto findJavaFromJavaHome
|
||||
|
||||
set JAVA_EXE=java.exe
|
||||
%JAVA_EXE% -version >NUL 2>&1
|
||||
if "%ERRORLEVEL%" == "0" goto init
|
||||
|
||||
echo.
|
||||
echo ERROR: JAVA_HOME is not set and no 'java' command could be found in your PATH.
|
||||
echo.
|
||||
echo Please set the JAVA_HOME variable in your environment to match the
|
||||
echo location of your Java installation.
|
||||
|
||||
goto fail
|
||||
|
||||
:findJavaFromJavaHome
|
||||
set JAVA_HOME=%JAVA_HOME:"=%
|
||||
set JAVA_EXE=%JAVA_HOME%/bin/java.exe
|
||||
|
||||
if exist "%JAVA_EXE%" goto init
|
||||
|
||||
echo.
|
||||
echo ERROR: JAVA_HOME is set to an invalid directory: %JAVA_HOME%
|
||||
echo.
|
||||
echo Please set the JAVA_HOME variable in your environment to match the
|
||||
echo location of your Java installation.
|
||||
|
||||
goto fail
|
||||
|
||||
:init
|
||||
@rem Get command-line arguments, handling Windows variants
|
||||
|
||||
if not "%OS%" == "Windows_NT" goto win9xME_args
|
||||
|
||||
:win9xME_args
|
||||
@rem Slurp the command line arguments.
|
||||
set CMD_LINE_ARGS=
|
||||
set _SKIP=2
|
||||
|
||||
:win9xME_args_slurp
|
||||
if "x%~1" == "x" goto execute
|
||||
|
||||
set CMD_LINE_ARGS=%*
|
||||
|
||||
:execute
|
||||
@rem Setup the command line
|
||||
|
||||
set CLASSPATH=%APP_HOME%\gradle\wrapper\gradle-wrapper.jar
|
||||
|
||||
@rem Execute Gradle
|
||||
"%JAVA_EXE%" %DEFAULT_JVM_OPTS% %JAVA_OPTS% %GRADLE_OPTS% "-Dorg.gradle.appname=%APP_BASE_NAME%" -classpath "%CLASSPATH%" org.gradle.wrapper.GradleWrapperMain %CMD_LINE_ARGS%
|
||||
|
||||
:end
|
||||
@rem End local scope for the variables with windows NT shell
|
||||
if "%ERRORLEVEL%"=="0" goto mainEnd
|
||||
|
||||
:fail
|
||||
rem Set variable GRADLE_EXIT_CONSOLE if you need the _script_ return code instead of
|
||||
rem the _cmd.exe /c_ return code!
|
||||
if not "" == "%GRADLE_EXIT_CONSOLE%" exit 1
|
||||
exit /b 1
|
||||
|
||||
:mainEnd
|
||||
if "%OS%"=="Windows_NT" endlocal
|
||||
|
||||
:omega
|
1
src/adservice/settings.gradle
Normal file
1
src/adservice/settings.gradle
Normal file
|
@ -0,0 +1 @@
|
|||
rootProject.name = 'hipstershop'
|
242
src/adservice/src/main/java/hipstershop/AdService.java
Normal file
242
src/adservice/src/main/java/hipstershop/AdService.java
Normal file
|
@ -0,0 +1,242 @@
|
|||
/*
|
||||
* Copyright 2018, Google LLC.
|
||||
*
|
||||
* 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.
|
||||
*/
|
||||
|
||||
package hipstershop;
|
||||
|
||||
import com.google.common.collect.ImmutableMap;
|
||||
import hipstershop.Demo.Ad;
|
||||
import hipstershop.Demo.AdRequest;
|
||||
import hipstershop.Demo.AdResponse;
|
||||
import io.grpc.Server;
|
||||
import io.grpc.ServerBuilder;
|
||||
import io.grpc.StatusRuntimeException;
|
||||
import io.grpc.health.v1.HealthCheckResponse.ServingStatus;
|
||||
import io.grpc.stub.StreamObserver;
|
||||
import io.grpc.services.*;
|
||||
import io.opencensus.common.Duration;
|
||||
import io.opencensus.common.Scope;
|
||||
import io.opencensus.contrib.grpc.metrics.RpcViews;
|
||||
import io.opencensus.exporter.stats.prometheus.PrometheusStatsCollector;
|
||||
import io.opencensus.exporter.trace.logging.LoggingTraceExporter;
|
||||
import io.opencensus.exporter.stats.stackdriver.StackdriverStatsConfiguration;
|
||||
import io.opencensus.exporter.stats.stackdriver.StackdriverStatsExporter;
|
||||
import io.opencensus.exporter.trace.stackdriver.StackdriverTraceConfiguration;
|
||||
import io.opencensus.exporter.trace.stackdriver.StackdriverTraceExporter;
|
||||
import io.opencensus.trace.AttributeValue;
|
||||
import io.opencensus.trace.Span;
|
||||
import io.opencensus.trace.SpanBuilder;
|
||||
import io.opencensus.trace.Tracer;
|
||||
import io.opencensus.trace.Tracing;
|
||||
import io.opencensus.trace.samplers.Samplers;
|
||||
import java.io.IOException;
|
||||
import java.util.ArrayList;
|
||||
import java.util.HashMap;
|
||||
import java.util.List;
|
||||
import java.util.Random;
|
||||
import java.util.concurrent.TimeUnit;
|
||||
import java.util.logging.Level;
|
||||
import java.util.logging.Logger;
|
||||
|
||||
public class AdService {
|
||||
private static final Logger logger = Logger.getLogger(AdService.class.getName());
|
||||
|
||||
private static final Tracer tracer = Tracing.getTracer();
|
||||
|
||||
private int MAX_ADS_TO_SERVE = 2;
|
||||
private Server server;
|
||||
private HealthStatusManager healthMgr;
|
||||
|
||||
static final AdService service = new AdService();
|
||||
private void start() throws IOException {
|
||||
int port = Integer.parseInt(System.getenv("PORT"));
|
||||
healthMgr = new HealthStatusManager();
|
||||
|
||||
server = ServerBuilder.forPort(port).addService(new AdServiceImpl())
|
||||
.addService(healthMgr.getHealthService()).build().start();
|
||||
logger.info("Ad Service started, listening on " + port);
|
||||
Runtime.getRuntime()
|
||||
.addShutdownHook(
|
||||
new Thread() {
|
||||
@Override
|
||||
public void run() {
|
||||
// Use stderr here since the logger may have been reset by its JVM shutdown hook.
|
||||
System.err.println("*** shutting down gRPC ads server since JVM is shutting down");
|
||||
AdService.this.stop();
|
||||
System.err.println("*** server shut down");
|
||||
}
|
||||
});
|
||||
healthMgr.setStatus("", ServingStatus.SERVING);
|
||||
}
|
||||
|
||||
private void stop() {
|
||||
if (server != null) {
|
||||
healthMgr.clearStatus("");
|
||||
server.shutdown();
|
||||
}
|
||||
}
|
||||
|
||||
static class AdServiceImpl extends hipstershop.AdServiceGrpc.AdServiceImplBase {
|
||||
|
||||
/**
|
||||
* Retrieves ads based on context provided in the request {@code AdRequest}.
|
||||
*
|
||||
* @param req the request containing context.
|
||||
* @param responseObserver the stream observer which gets notified with the value of
|
||||
* {@code AdResponse}
|
||||
*/
|
||||
@Override
|
||||
public void getAds(AdRequest req, StreamObserver<AdResponse> responseObserver) {
|
||||
AdService service = AdService.getInstance();
|
||||
Span parentSpan = tracer.getCurrentSpan();
|
||||
SpanBuilder spanBuilder =
|
||||
tracer
|
||||
.spanBuilderWithExplicitParent("Retrieve Ads", parentSpan)
|
||||
.setRecordEvents(true)
|
||||
.setSampler(Samplers.alwaysSample());
|
||||
try (Scope scope = spanBuilder.startScopedSpan()) {
|
||||
Span span = tracer.getCurrentSpan();
|
||||
span.putAttribute("method", AttributeValue.stringAttributeValue("getAds"));
|
||||
List<Ad> ads = new ArrayList<>();
|
||||
logger.info("received ad request (context_words=" + req.getContextKeysCount() + ")");
|
||||
if (req.getContextKeysCount() > 0) {
|
||||
span.addAnnotation(
|
||||
"Constructing Ads using context",
|
||||
ImmutableMap.of(
|
||||
"Context Keys",
|
||||
AttributeValue.stringAttributeValue(req.getContextKeysList().toString()),
|
||||
"Context Keys length",
|
||||
AttributeValue.longAttributeValue(req.getContextKeysCount())));
|
||||
for (int i = 0; i < req.getContextKeysCount(); i++) {
|
||||
Ad ad = service.getAdsByKey(req.getContextKeys(i));
|
||||
if (ad != null) {
|
||||
ads.add(ad);
|
||||
}
|
||||
}
|
||||
} else {
|
||||
span.addAnnotation("No Context provided. Constructing random Ads.");
|
||||
ads = service.getDefaultAds();
|
||||
}
|
||||
if (ads.isEmpty()) {
|
||||
// Serve default ads.
|
||||
span.addAnnotation("No Ads found based on context. Constructing random Ads.");
|
||||
ads = service.getDefaultAds();
|
||||
}
|
||||
AdResponse reply = AdResponse.newBuilder().addAllAds(ads).build();
|
||||
responseObserver.onNext(reply);
|
||||
responseObserver.onCompleted();
|
||||
} catch (StatusRuntimeException e) {
|
||||
logger.log(Level.WARNING, "GetAds Failed", e.getStatus());
|
||||
return;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
static final HashMap<String, Ad> cacheMap = new HashMap<String, Ad>();
|
||||
|
||||
Ad getAdsByKey(String key) {
|
||||
return cacheMap.get(key);
|
||||
}
|
||||
|
||||
|
||||
public List<Ad> getDefaultAds() {
|
||||
List<Ad> ads = new ArrayList<>(MAX_ADS_TO_SERVE);
|
||||
Object[] keys = cacheMap.keySet().toArray();
|
||||
for (int i=0; i<MAX_ADS_TO_SERVE; i++) {
|
||||
ads.add(cacheMap.get(keys[new Random().nextInt(keys.length)]));
|
||||
}
|
||||
return ads;
|
||||
}
|
||||
|
||||
public static AdService getInstance() {
|
||||
return service;
|
||||
}
|
||||
|
||||
/** Await termination on the main thread since the grpc library uses daemon threads. */
|
||||
private void blockUntilShutdown() throws InterruptedException {
|
||||
if (server != null) {
|
||||
server.awaitTermination();
|
||||
}
|
||||
}
|
||||
|
||||
static void initializeAds() {
|
||||
cacheMap.put("camera", Ad.newBuilder().setRedirectUrl( "/product/2ZYFJ3GM2N")
|
||||
.setText("Film camera for sale. 50% off.").build());
|
||||
cacheMap.put("bike", Ad.newBuilder().setRedirectUrl("/product/9SIQT8TOJO")
|
||||
.setText("City Bike for sale. 10% off.").build());
|
||||
cacheMap.put("kitchen", Ad.newBuilder().setRedirectUrl("/product/1YMWWN1N4O")
|
||||
.setText("Home Barista kitchen kit for sale. Buy one, get second kit for free").build());
|
||||
logger.info("Default Ads initialized");
|
||||
}
|
||||
|
||||
public static void initStackdriver() {
|
||||
logger.info("Initialize StackDriver");
|
||||
|
||||
// Registers all RPC views.
|
||||
RpcViews.registerAllViews();
|
||||
|
||||
// Registers logging trace exporter.
|
||||
LoggingTraceExporter.register();
|
||||
long sleepTime = 10; /* seconds */
|
||||
int maxAttempts = 3;
|
||||
|
||||
for (int i=0; i<maxAttempts; i++) {
|
||||
try {
|
||||
StackdriverTraceExporter.createAndRegister(
|
||||
StackdriverTraceConfiguration.builder().build());
|
||||
StackdriverStatsExporter.createAndRegister(
|
||||
StackdriverStatsConfiguration.builder()
|
||||
.setExportInterval(Duration.create(15, 0))
|
||||
.build());
|
||||
} catch (Exception e) {
|
||||
if (i==(maxAttempts-1)) {
|
||||
logger.log(Level.WARNING, "Failed to register Stackdriver Exporter." +
|
||||
" Tracing and Stats data will not reported to Stackdriver. Error message: " + e
|
||||
.toString());
|
||||
} else {
|
||||
logger.info("Attempt to register Stackdriver Exporter in " + sleepTime + " seconds ");
|
||||
try {
|
||||
Thread.sleep(TimeUnit.SECONDS.toMillis(sleepTime));
|
||||
} catch (Exception se) {
|
||||
logger.log(Level.WARNING, "Exception while sleeping" + se.toString());
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
logger.info("StackDriver initialization complete.");
|
||||
}
|
||||
|
||||
/** Main launches the server from the command line. */
|
||||
public static void main(String[] args) throws IOException, InterruptedException {
|
||||
// Add final keyword to pass checkStyle.
|
||||
|
||||
initializeAds();
|
||||
|
||||
new Thread( new Runnable() {
|
||||
public void run(){
|
||||
initStackdriver();
|
||||
}
|
||||
}).start();
|
||||
|
||||
// Register Prometheus exporters and export metrics to a Prometheus HTTPServer.
|
||||
PrometheusStatsCollector.createAndRegister();
|
||||
|
||||
// Start the RPC server. You shouldn't see any output from gRPC before this.
|
||||
logger.info("AdService starting.");
|
||||
final AdService service = AdService.getInstance();
|
||||
service.start();
|
||||
service.blockUntilShutdown();
|
||||
}
|
||||
}
|
186
src/adservice/src/main/java/hipstershop/AdServiceClient.java
Normal file
186
src/adservice/src/main/java/hipstershop/AdServiceClient.java
Normal file
|
@ -0,0 +1,186 @@
|
|||
/*
|
||||
* Copyright 2018, Google LLC.
|
||||
*
|
||||
* 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.
|
||||
*/
|
||||
|
||||
package hipstershop;
|
||||
|
||||
|
||||
import hipstershop.Demo.Ad;
|
||||
import hipstershop.Demo.AdRequest;
|
||||
import hipstershop.Demo.AdResponse;
|
||||
import io.grpc.ManagedChannel;
|
||||
import io.grpc.ManagedChannelBuilder;
|
||||
import io.grpc.StatusRuntimeException;
|
||||
import io.opencensus.common.Duration;
|
||||
import io.opencensus.common.Scope;
|
||||
import io.opencensus.contrib.grpc.metrics.RpcViews;
|
||||
import io.opencensus.exporter.trace.logging.LoggingTraceExporter;
|
||||
import io.opencensus.exporter.stats.stackdriver.StackdriverStatsConfiguration;
|
||||
import io.opencensus.exporter.stats.stackdriver.StackdriverStatsExporter;
|
||||
import io.opencensus.exporter.trace.stackdriver.StackdriverTraceConfiguration;
|
||||
import io.opencensus.exporter.trace.stackdriver.StackdriverTraceExporter;
|
||||
import io.opencensus.trace.SpanBuilder;
|
||||
import io.opencensus.trace.Status.CanonicalCode;
|
||||
import io.opencensus.trace.Tracer;
|
||||
import io.opencensus.trace.Tracing;
|
||||
import io.opencensus.trace.samplers.Samplers;
|
||||
import java.io.IOException;
|
||||
import java.util.concurrent.TimeUnit;
|
||||
import java.util.logging.Level;
|
||||
import java.util.logging.Logger;
|
||||
import javax.annotation.Nullable;
|
||||
|
||||
/** A simple client that requests ads from the Ads Service. */
|
||||
public class AdServiceClient {
|
||||
private static final Logger logger = Logger.getLogger(AdServiceClient.class.getName());
|
||||
|
||||
private static final Tracer tracer = Tracing.getTracer();
|
||||
|
||||
private final ManagedChannel channel;
|
||||
private final hipstershop.AdServiceGrpc.AdServiceBlockingStub blockingStub;
|
||||
|
||||
/** Construct client connecting to Ad Service at {@code host:port}. */
|
||||
public AdServiceClient(String host, int port) {
|
||||
this(
|
||||
ManagedChannelBuilder.forAddress(host, port)
|
||||
// Channels are secure by default (via SSL/TLS). For the example we disable TLS to avoid
|
||||
// needing certificates.
|
||||
.usePlaintext(true)
|
||||
.build());
|
||||
}
|
||||
|
||||
/** Construct client for accessing RouteGuide server using the existing channel. */
|
||||
AdServiceClient(ManagedChannel channel) {
|
||||
this.channel = channel;
|
||||
blockingStub = hipstershop.AdServiceGrpc.newBlockingStub(channel);
|
||||
}
|
||||
|
||||
public void shutdown() throws InterruptedException {
|
||||
channel.shutdown().awaitTermination(5, TimeUnit.SECONDS);
|
||||
}
|
||||
|
||||
/** Get Ads from Server. */
|
||||
public void getAds(String contextKey) {
|
||||
logger.info("Get Ads with context " + contextKey + " ...");
|
||||
AdRequest request = AdRequest.newBuilder().addContextKeys(contextKey).build();
|
||||
AdResponse response;
|
||||
|
||||
SpanBuilder spanBuilder =
|
||||
tracer.spanBuilder("AdsClient").setRecordEvents(true).setSampler(Samplers.alwaysSample());
|
||||
try (Scope scope = spanBuilder.startScopedSpan()) {
|
||||
tracer.getCurrentSpan().addAnnotation("Getting Ads");
|
||||
response = blockingStub.getAds(request);
|
||||
tracer.getCurrentSpan().addAnnotation("Received response from Ads Service.");
|
||||
} catch (StatusRuntimeException e) {
|
||||
tracer
|
||||
.getCurrentSpan()
|
||||
.setStatus(
|
||||
CanonicalCode.valueOf(e.getStatus().getCode().name())
|
||||
.toStatus()
|
||||
.withDescription(e.getMessage()));
|
||||
logger.log(Level.WARNING, "RPC failed: {0}", e.getStatus());
|
||||
return;
|
||||
}
|
||||
for(Ad ads: response.getAdsList()) {
|
||||
logger.info("Ads: " + ads.getText());
|
||||
}
|
||||
}
|
||||
|
||||
static int getPortOrDefaultFromArgs(String[] args, int index, int defaultPort) {
|
||||
int portNumber = defaultPort;
|
||||
if (index < args.length) {
|
||||
try {
|
||||
portNumber = Integer.parseInt(args[index]);
|
||||
} catch (NumberFormatException e) {
|
||||
logger.warning(
|
||||
String.format("Port %s is invalid, use default port %d.", args[index], defaultPort));
|
||||
}
|
||||
}
|
||||
return portNumber;
|
||||
}
|
||||
|
||||
|
||||
static String getStringOrDefaultFromArgs(
|
||||
String[] args, int index, @Nullable String defaultString) {
|
||||
String s = defaultString;
|
||||
if (index < args.length) {
|
||||
s = args[index];
|
||||
}
|
||||
return s;
|
||||
}
|
||||
|
||||
/**
|
||||
* Ads Service Client main. If provided, the first element of {@code args} is the context key to
|
||||
* get the ads from the Ads Service
|
||||
*/
|
||||
public static void main(String[] args) throws IOException, InterruptedException {
|
||||
// Add final keyword to pass checkStyle.
|
||||
final String contextKeys = getStringOrDefaultFromArgs(args, 0, "camera");
|
||||
final String host = getStringOrDefaultFromArgs(args, 1, "localhost");
|
||||
final int serverPort = getPortOrDefaultFromArgs(args, 2, 9555);
|
||||
final String cloudProjectId = getStringOrDefaultFromArgs(args, 3, null);
|
||||
//final int zPagePort = getPortOrDefaultFromArgs(args, 4, 3001);
|
||||
|
||||
// Registers all RPC views.
|
||||
RpcViews.registerAllViews();
|
||||
|
||||
|
||||
// Registers logging trace exporter.
|
||||
LoggingTraceExporter.register();
|
||||
|
||||
// Registers Stackdriver exporters.
|
||||
if (cloudProjectId != null) {
|
||||
long sleepTime = 10; /* seconds */
|
||||
int maxAttempts = 3;
|
||||
|
||||
for (int i=0; i<maxAttempts; i++) {
|
||||
try {
|
||||
StackdriverTraceExporter.createAndRegister(
|
||||
StackdriverTraceConfiguration.builder().setProjectId(cloudProjectId).build());
|
||||
StackdriverStatsExporter.createAndRegister(
|
||||
StackdriverStatsConfiguration.builder()
|
||||
.setProjectId(cloudProjectId)
|
||||
.setExportInterval(Duration.create(15, 0))
|
||||
.build());
|
||||
} catch (Exception e) {
|
||||
if (i==(maxAttempts-1)) {
|
||||
logger.log(Level.WARNING, "Failed to register Stackdriver Exporter." +
|
||||
" Tracing and Stats data will not reported to Stackdriver. Error message: " + e
|
||||
.toString());
|
||||
} else {
|
||||
logger.info("Attempt to register Stackdriver Exporter in " + sleepTime + " seconds");
|
||||
try {
|
||||
Thread.sleep(TimeUnit.SECONDS.toMillis(sleepTime));
|
||||
} catch (Exception se) {
|
||||
logger.log(Level.WARNING, "Exception while sleeping" + e.toString());
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// Register Prometheus exporters and export metrics to a Prometheus HTTPServer.
|
||||
//PrometheusStatsCollector.createAndRegister();
|
||||
|
||||
AdServiceClient client = new AdServiceClient(host, serverPort);
|
||||
try {
|
||||
client.getAds(contextKeys);
|
||||
} finally {
|
||||
client.shutdown();
|
||||
}
|
||||
|
||||
logger.info("Exiting AdServiceClient...");
|
||||
}
|
||||
}
|
242
src/adservice/src/main/proto/demo.proto
Normal file
242
src/adservice/src/main/proto/demo.proto
Normal file
|
@ -0,0 +1,242 @@
|
|||
syntax = "proto3";
|
||||
|
||||
package hipstershop;
|
||||
|
||||
// -----------------Cart service-----------------
|
||||
|
||||
service CartService {
|
||||
rpc AddItem(AddItemRequest) returns (Empty) {}
|
||||
rpc GetCart(GetCartRequest) returns (Cart) {}
|
||||
rpc EmptyCart(EmptyCartRequest) returns (Empty) {}
|
||||
}
|
||||
|
||||
message CartItem {
|
||||
string product_id = 1;
|
||||
int32 quantity = 2;
|
||||
}
|
||||
|
||||
message AddItemRequest {
|
||||
string user_id = 1;
|
||||
CartItem item = 2;
|
||||
}
|
||||
|
||||
message EmptyCartRequest {
|
||||
string user_id = 1;
|
||||
}
|
||||
|
||||
message GetCartRequest {
|
||||
string user_id = 1;
|
||||
}
|
||||
|
||||
message Cart {
|
||||
string user_id = 1;
|
||||
repeated CartItem items = 2;
|
||||
}
|
||||
|
||||
message Empty {}
|
||||
|
||||
// ---------------Recommendation service----------
|
||||
|
||||
service RecommendationService {
|
||||
rpc ListRecommendations(ListRecommendationsRequest) returns (ListRecommendationsResponse){}
|
||||
}
|
||||
|
||||
message ListRecommendationsRequest {
|
||||
string user_id = 1;
|
||||
repeated string product_ids = 2;
|
||||
}
|
||||
|
||||
message ListRecommendationsResponse {
|
||||
repeated string product_ids = 1;
|
||||
}
|
||||
|
||||
// ---------------Product Catalog----------------
|
||||
|
||||
service ProductCatalogService {
|
||||
rpc ListProducts(Empty) returns (ListProductsResponse) {}
|
||||
rpc GetProduct(GetProductRequest) returns (Product) {}
|
||||
rpc SearchProducts(SearchProductsRequest) returns (SearchProductsResponse) {}
|
||||
}
|
||||
|
||||
message Product {
|
||||
string id = 1;
|
||||
string name = 2;
|
||||
string description = 3;
|
||||
string picture = 4;
|
||||
Money price_usd = 5;
|
||||
}
|
||||
|
||||
message ListProductsResponse {
|
||||
repeated Product products = 1;
|
||||
}
|
||||
|
||||
message GetProductRequest {
|
||||
string id = 1;
|
||||
}
|
||||
|
||||
message SearchProductsRequest {
|
||||
string query = 1;
|
||||
}
|
||||
|
||||
message SearchProductsResponse {
|
||||
repeated Product results = 1;
|
||||
}
|
||||
|
||||
// ---------------Shipping Service----------
|
||||
|
||||
service ShippingService {
|
||||
rpc GetQuote(GetQuoteRequest) returns (GetQuoteResponse) {}
|
||||
rpc ShipOrder(ShipOrderRequest) returns (ShipOrderResponse) {}
|
||||
}
|
||||
|
||||
message GetQuoteRequest {
|
||||
Address address = 1;
|
||||
repeated CartItem items = 2;
|
||||
}
|
||||
|
||||
message GetQuoteResponse {
|
||||
Money cost_usd = 1;
|
||||
}
|
||||
|
||||
message ShipOrderRequest {
|
||||
Address address = 1;
|
||||
repeated CartItem items = 2;
|
||||
}
|
||||
|
||||
message ShipOrderResponse {
|
||||
string tracking_id = 1;
|
||||
}
|
||||
|
||||
message Address {
|
||||
string street_address = 1;
|
||||
string city = 2;
|
||||
string state = 3;
|
||||
string country = 4;
|
||||
int32 zip_code = 5;
|
||||
}
|
||||
|
||||
// -----------------Currency service-----------------
|
||||
|
||||
service CurrencyService {
|
||||
rpc GetSupportedCurrencies(Empty) returns (GetSupportedCurrenciesResponse) {}
|
||||
rpc Convert(CurrencyConversionRequest) returns (Money) {}
|
||||
}
|
||||
|
||||
// Represents an amount of money with its currency type.
|
||||
message Money {
|
||||
// The 3-letter currency code defined in ISO 4217.
|
||||
string currency_code = 1;
|
||||
|
||||
// The whole units of the amount.
|
||||
// For example if `currencyCode` is `"USD"`, then 1 unit is one US dollar.
|
||||
int64 units = 2;
|
||||
|
||||
// Number of nano (10^-9) units of the amount.
|
||||
// The value must be between -999,999,999 and +999,999,999 inclusive.
|
||||
// If `units` is positive, `nanos` must be positive or zero.
|
||||
// If `units` is zero, `nanos` can be positive, zero, or negative.
|
||||
// If `units` is negative, `nanos` must be negative or zero.
|
||||
// For example $-1.75 is represented as `units`=-1 and `nanos`=-750,000,000.
|
||||
int32 nanos = 3;
|
||||
}
|
||||
|
||||
message GetSupportedCurrenciesResponse {
|
||||
// The 3-letter currency code defined in ISO 4217.
|
||||
repeated string currency_codes = 1;
|
||||
}
|
||||
|
||||
message CurrencyConversionRequest {
|
||||
Money from = 1;
|
||||
|
||||
// The 3-letter currency code defined in ISO 4217.
|
||||
string to_code = 2;
|
||||
}
|
||||
|
||||
// -------------Payment service-----------------
|
||||
|
||||
service PaymentService {
|
||||
rpc Charge(ChargeRequest) returns (ChargeResponse) {}
|
||||
}
|
||||
|
||||
message CreditCardInfo {
|
||||
string credit_card_number = 1;
|
||||
int32 credit_card_cvv = 2;
|
||||
int32 credit_card_expiration_year = 3;
|
||||
int32 credit_card_expiration_month = 4;
|
||||
}
|
||||
|
||||
message ChargeRequest {
|
||||
Money amount = 1;
|
||||
CreditCardInfo credit_card = 2;
|
||||
}
|
||||
|
||||
message ChargeResponse {
|
||||
string transaction_id = 1;
|
||||
}
|
||||
|
||||
// -------------Email service-----------------
|
||||
|
||||
service EmailService {
|
||||
rpc SendOrderConfirmation(SendOrderConfirmationRequest) returns (Empty) {}
|
||||
}
|
||||
|
||||
message OrderItem {
|
||||
CartItem item = 1;
|
||||
Money cost = 2;
|
||||
}
|
||||
|
||||
message OrderResult {
|
||||
string order_id = 1;
|
||||
string shipping_tracking_id = 2;
|
||||
Money shipping_cost = 3;
|
||||
Address shipping_address = 4;
|
||||
repeated OrderItem items = 5;
|
||||
}
|
||||
|
||||
message SendOrderConfirmationRequest {
|
||||
string email = 1;
|
||||
OrderResult order = 2;
|
||||
}
|
||||
|
||||
|
||||
// -------------Checkout service-----------------
|
||||
|
||||
service CheckoutService {
|
||||
rpc PlaceOrder(PlaceOrderRequest) returns (PlaceOrderResponse) {}
|
||||
}
|
||||
|
||||
message PlaceOrderRequest {
|
||||
string user_id = 1;
|
||||
string user_currency = 2;
|
||||
|
||||
Address address = 3;
|
||||
string email = 5;
|
||||
CreditCardInfo credit_card = 6;
|
||||
}
|
||||
|
||||
message PlaceOrderResponse {
|
||||
OrderResult order = 1;
|
||||
}
|
||||
|
||||
// ------------Ad service------------------
|
||||
|
||||
service AdService {
|
||||
rpc GetAds(AdRequest) returns (AdResponse) {}
|
||||
}
|
||||
|
||||
message AdRequest {
|
||||
// List of important key words from the current page describing the context.
|
||||
repeated string context_keys = 1;
|
||||
}
|
||||
|
||||
message AdResponse {
|
||||
repeated Ad ads = 1;
|
||||
}
|
||||
|
||||
message Ad {
|
||||
// url to redirect to when an ad is clicked.
|
||||
string redirect_url = 1;
|
||||
|
||||
// short advertisement text to display.
|
||||
string text = 2;
|
||||
}
|
Loading…
Add table
Add a link
Reference in a new issue