blob_id stringlengths 40 40 | directory_id stringlengths 40 40 | path stringlengths 5 227 | content_id stringlengths 40 40 | detected_licenses listlengths 0 28 | license_type stringclasses 2 values | repo_name stringlengths 7 100 | snapshot_id stringlengths 40 40 | revision_id stringlengths 40 40 | branch_name stringclasses 36 values | visit_date timestamp[us]date 2015-08-14 10:26:58 2023-09-06 06:45:32 | revision_date timestamp[us]date 2011-07-11 04:02:09 2023-09-04 16:40:12 | committer_date timestamp[us]date 2011-07-11 04:02:09 2023-09-04 16:40:12 | github_id int64 206k 631M ⌀ | star_events_count int64 0 6.51k | fork_events_count int64 0 1.54k | gha_license_id stringclasses 11 values | gha_event_created_at timestamp[us]date 2012-08-01 17:54:24 2023-09-14 21:57:05 ⌀ | gha_created_at timestamp[us]date 2009-05-21 02:09:00 2023-04-21 10:18:22 ⌀ | gha_language stringclasses 55 values | src_encoding stringclasses 12 values | language stringclasses 1 value | is_vendor bool 1 class | is_generated bool 1 class | length_bytes int64 16 1.74M | extension stringclasses 12 values | code stringlengths 16 1.74M |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
414af2afb7ca1486b4dd7c95374b0a3f5ced42bc | 288e89ff72e6fd38ce1b739810a671b3c28bf89d | /posts/go-oo.puml | 3c9a96a0c4a7672f1e5b31900a2426f9e2c757e0 | [] | no_license | gypsydave5/gypsydave5.github.io | c5db513e78091ec46b2b8b4906596d56c0828439 | bb6d2bd1f6d42c9829903bfcc14c963e46cc86a4 | refs/heads/source | 2022-11-20T19:20:18.419645 | 2022-11-01T14:21:55 | 2022-11-01T14:21:55 | 19,790,960 | 2 | 3 | null | 2019-04-27T22:11:53 | 2014-05-14T18:23:00 | HTML | UTF-8 | PlantUML | false | false | 821 | puml | @startuml
interface "InterfaceA" {
MethodOne() string
}
interface "InterfaceB" {
MethodTwo() string
}
interface "InterfaceC" {
InterfaceA
InterfaceB
}
"InterfaceA" -right-* "InterfaceC"
"InterfaceB" -left-* "InterfaceC"
struct "TypeOne" {
MethodOne() string
}
struct "TypeTwo" {
MethodTwo() string
}
struct "TypeThree" {
TypeOne
TypeTwo
}
struct "TypeFour" {
MethodOne() string
MethodTwo() string
}
"TypeOne" -right-* "TypeThree"
"TypeTwo" -left-* "TypeThree"
"TypeOne" .up..|> "InterfaceA"
"TypeTwo" .up..|> "InterfaceB"
"TypeThree" .up..|> "InterfaceA"
"TypeThree" .up..|> "InterfaceB"
"TypeThree" .up..|> "InterfaceC"
"TypeFour" .up...|> "InterfaceC"
"TypeFour" .up...|> "InterfaceB"
"TypeFour" .up...|> "InterfaceA"
@enduml
|
06d56a1025433c86736482f63ca16e5249f28747 | 4bc7ef84a4b27304d29150dfc9b3dc07fc1da8a6 | /lib/flutter/source/animation.puml | 2a10bd096aa57ab3ab356363d4e93eb427442747 | [] | no_license | yihu5566/flutterdemo | a21ddc4459a9f675b47b5e60b7e1877ef5be66b1 | d3491dbbda0b98ce8d987ad54a82018dcf475db0 | refs/heads/master | 2022-04-02T08:55:57.634748 | 2020-01-20T02:58:21 | 2020-01-20T02:58:21 | null | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 16,670 | puml | @startuml
abstract class Listenable{
void addListener(VoidCallback listener)
void removeListener(VoidCallback listener)
}
'note left of Listenable{
' 定义:维护一个listener列表的对象
' 侦听器通常用于通知客户端该对象已经更新
' 该接口有两种变体:
' ValueListenable:一个带有_current value_的增强Listenable接口
' Animation:增加添加方向概念(正向或反向)的增强[ValueListenable]接口
' 以下子类与这些接口有关
' ChangeNotifier
' ValueNotifier
'}
abstract class Animation<T>{
void addStatusListener(AnimationStatusListener listener)
void removeStatusListener(AnimationStatusListener listener)
Animation<U> drive<U>(Animatable<U> child)
}
'note right of Animation{
' 值为“T”的动画
' 动画由一个值(类型为“T`”)和一个状态组成.该status表示动画是否在概念上从开始到结束或从结束回到开头运行,虽然实际动画的值可能不会单调变化
' (例如,如果动画使用反弹曲线)
' 动画还允许其他对象监听其或他们的状态或值的变化,这些回调在“动画”pipeline阶段被调用,就在重建小部件之前
' 要创建可以向前和向后运行的新动画,请考虑使用[AnimationController]
' add/removeStatusListener 添加或移除void Function(AnimationStatus status)的监听
' drive 将[Tween](或[CurveTween])链接到此[动画],调用Animatable的animate方法
' 此方法仅对`Animation <double>`实例有效(即当'T`为`double`时),这意味着,例如,可以在[AnimationController]对象上调用它,
' 以及[CurvedAnimation] s,[ProxyAnimation] s,[ReverseAnimation] s,[TrainHoppingAnimation] s
' 和Animatable.animate一样的效果
'}
abstract class Animatable<T> {
T transform(double t)
T evaluate(Animation<double> animation)
Animation<T> animate(Animation<double> parent)
Animatable<T> chain(Animatable<double> parent)
}
'note right of Animatable{
' 定义: 给定[Animation <double>]作为输入可以生成类型为“T”的值的对象
' 通常,输入动画的值名义上在0.0到1.0范围内。但是,原则上可以提供任何价值
' [Animatable]的主要子类是[Tween]
' transform 返回“t”点处对象的值,`t`的值名义上是0.0到1.0范围内的一个分数,但实际上它可能超出这个范围
' evaluate 给定[Animation]的此对象的当前值,该函数通过推迟到[transform]来实现。想要提供自定义行为的子类应覆盖[transform],而不是[evaluate]
' animate 返回由给定动画驱动的新[Animation],但接受由此对象确定的值.本质上,这会返回一个[Animation],它会自动将[evaluate]方法应用于父级的值
' chain 返回一个新的[Animatable],其值通过首先评估给定父级然后评估此对象来确定
' 这允许在获取[Animation]之前链接[Tween]s
'}
class AnimationController {
Simulation _simulation
Ticker _ticker = TickerProvider.createTicker
TickerFuture forward({ double from })
TickerFuture reverse({ double from })
TickerFuture fling({ double velocity = 1.0, AnimationBehavior animationBehavior })
}
'note right of AnimationController{
' 定义:动画控制器
' 此类允许您执行诸如此类的任务:
' 1播放动画[forward]或[reverse]或[stop]动画
' 2将动画设置为特定的[value]
' 3定义动画的[upperBound]和[lowerBound]值
' 4使用物理模拟创建[fling]动画效果
' 默认情况下,[AnimationController]在给定的持续时间内线性生成从0.0到1.0范围值,动画控制器在运行应用程序的设备准备好显示新的frame时生成新的值,
' (通常,此速率约为每秒60个值)
'
' Ticker providers
' widget测试框架[WidgetTester]对象可用作ticker代码提供者在测试环境中
' [AnimationController]需要一个[TickerProvider],它是使用的构造函数配置的的`vsync`参数
' [TickerProvider]interface描述了[Ticker]对象的工厂
' 一个[Ticker]是一个知道如何用[SchedulerBinding]注册自己的对象并每帧触发一次回调
' life cycle
' AnimationController在state的中initState中初始化,在dispose中销毁
'
' 在[AnimationController]中使用[Future]
' 启动动画的方法返回一个[TickerFuture]对象在动画成功完成时完成,并且永远不会抛出错误,如果动画被取消,future永远不会完成。
' 这个对象还有一个[TickerFuture.orCancel]属性,它返回一个[Future]在动画成功完成时完成,并以动画中止时出错completeError
' 监听取消代码:
' Future<void> fadeOutAndUpdateState() async {
' /// try {
' /// await fadeAnimationController.forward().orCancel;
' /// } on TickerCanceled {
' /// // the animation got canceled, probably because we were disposed
' /// }
'
' //AnimationBehavior
' 配置动画禁用时[AnimationController]的行为方式
' 当[AccessibilityFeatures.disableAnimations]为true时,设备会询问flutter以尽可能减少或禁用动画。为了纪念这一点,
' 我们减少了动画的持续时间和相应的帧数。这个枚举用于允许某些[AnimationController]选择退出此行为。
' 例如,例如,控制物理模拟的[AnimationController]对于可滚动列表将具有[AnimationBehavior.preserve],所以那时候
' 用户尝试滚动,它不会跳到结尾/开始太快。此时应用了动画
' normal 当[AccessibilityFeatures.disableAnimations]为真时,[AnimationController]将减少其持续时间
' preserve [AnimationController]将保留其行为。如果widget未考虑[AccessibilityFeatures.disableAnimations]标记,
' 则这是重复动画的默认设置,以防止它们在屏幕上快速闪烁,没有动画就闪烁了。
'
'}
abstract class TickerProvider{
Ticker createTicker(TickerCallback onTick)
void dispose()
}
'mixin plantuml不支持mixin
class SingleTickerProviderStateMixin{
Ticker _ticker
Ticker createTicker(TickerCallback onTick)
}
'note right of SingleTickerProviderStateMixin{
' 提供单个[Ticker],配置为仅在当前时间内树被启用时触发tick,由[TickerMode]定义
' createTicker方法 _ticker = Ticker(onTick, debugLabel: 'created by $this')
'
'}
'mixin plantuml不支持mixin
class TickerProviderStateMixin{
Set<Ticker> _tickers
Ticker createTicker(TickerCallback onTick)
}
class Ticker {
TickerFuture start()
void stop({ bool canceled = false }
void scheduleTick({ bool rescheduling = false })
}
'note right of Ticker{
' 定义:每个动画帧调用一次回调
' 创建时,最初会禁用ticker。调用[start]启用ticker
' 通过将[muted]设置为true可以使[Ticker]静音,虽然沉默,时间仍然过去,仍然可以调用[start]和[stop],但是没有回调
' 按照惯例,[start]和[stop]方法由ticker的消费者使用,并且[muted]属性由[TickerProvider]控制,并创建了ticker
' ticker由[SchedulerBinding]驱动。看[SchedulerBinding.scheduleFrameCallback]
'
' scheduleTick 安排下一帧的ticker ,只有在[shouldScheduleTick]为真时才应该调用他
'}
'note right of TickerProviderStateMixin{
' 定义: 提供多个[Ticker]对象,这些对象配置为仅在当前时间内树被启用时触发tick,由[TickerMode]定义
' createTicker方法 创建一个_WidgetTicker(onTick, this, debugLabel: 'created by $this'),并将其添加入_tickers以及作为方法返回
'}
class Tween<T extends dynamic>{
T begin
T end
T lerp(double t)
T transform(double t)
}
'note left of Tween{
' 定义 开始值和结束值之间的线性插值
' 如果要在范围内插值,[Tween]非常有用
' 性能优化
' Tween是可变的,具体来说,它们的[begin]和[end]值可以在运行时更改。使用[Animation.drive]创建的对象使用[Tween],将立即兑现对
' 底层[Tween]的更改(尽管如此)侦听器只有在[动画]正在动画时才会被触发。这可以用来动态地改变动画而不必重新创建从[AnimationController]
' 到final [Tween]链中的所有对象,
' 但是,如果永远不会更改[Tween]的值,则可以进一步优化应用:对象可以存储在`static final`变量中,以便只要需要[Tween],就会使用完全相同的实例
' 这比在State.build中创建相同的tween更好
' 有特殊考虑的类型
' 具有[lerp]静态方法的类通常具有相应的专用[Tween]子类调用该方法。例如,[ColorTween]使用[Color.lerp]实现[ColorTween.lerp]方法
' 这不会扩展到带有`+`,`-`和`*`运算符的任何类型。在特别是,[int]不满足这个精确的契约(`int * double`实际返回[num],而不是[int])
' 因此有两个特定的类,可用于插值整数
' [IntTween],它是线性插值的近似值(使用[double.round])
' [StepTween],它使用[double.floor]来确保结果永远不会比使用`Tween <double>`时更大
' [Size]上的相关运营商也不履行此合同[SizeTween]使用[Size.lerp]
'
' lerp 返回此变量在给定动画时钟值处具有的值,此方法的默认实现使用`T`上的[+],[ - ]和[*] 运算符。因此,在调用此方法时,[begin]和[end]属性必须为非null
' transform 返回给定动画的当前值的插值 该功能通过推迟到[lerp]来实现。想要提供自定义行为的子类应该覆盖[lerp],而不是[transform](也不是[evaluate])
'}
class ColorTween{
Color lerp(double t) => Color.lerp(begin, end, t)
}
'note right of ColorTween{
' 定义:两种颜色之间的插值
' 该类专门用于[Tween <Color>]的插值,实现方式[Color.lerp]
'}
class RectTween{
Rect lerp(double t) => Rect.lerp(begin, end, t)
}
'note right of RectTween{
' 定义:两个矩形之间的插值
' 该类专门用于[Tween <Rect>]的插值,实现方式[Rect.lerp]
'}
class CurveTween{
Curve curve
double transform(double t)
}
'note bottom of ColorTween{
' 定义:通过给定曲线转换给定动画的值
'}
class ConstantTween<T>{
T lerp(double t) => begin
}
'note right of ConstantTween{
' 定义:具有常量值的补间
'}
class RelativeRectTween{
RelativeRect lerp(double t) => RelativeRect.lerp(begin, end, t)
}
'note right of RelativeRectTween{
' 定义:两个相对rects之间的插值
' 该类使用[RelativeRect.lerp]专门用于[Tween <RelativeRect>]的插值
'}
class CurvedAnimation{
final Animation<double> parent
Curve curve
Curve reverseCurve
AnimationStatus _curveDirection
}
'note right of CurvedAnimation{
' 定义:将曲线应用于另一个Animation的Animation
' 当您想要应用非线性[曲线]时到一个动画对象,[CurvedAnimation]非常有用,特别是当动画正在前进与后退时相比需要不同的曲线时
' 根据给定的曲线,[CurvedAnimation]的输出可能有比输入范围更广。例如,弹性曲线如[Curves.elasticIn]将显着超调或低于范围为0.0到1.0的默认值
' 如果要将[Curve]应用于[Tween],请考虑使用[CurveTween]
' /// final Animation<double> animation = CurvedAnimation(
' /// parent: controller,
' /// curve: Curves.easeIn,
' /// reverseCurve: Curves.easeOut,
' /// );
'
'}
class AlwaysStoppedAnimation<T>{
AnimationStatus get status => AnimationStatus.forward
}
'note right of AlwaysStoppedAnimation{
' 定义:始终以给定值停止的动画
' [status]始终是[AnimationStatus.forward]
' 由于[AlwaysStoppedAnimation]的[value]和[status]永远不会更改,因此永远不会调用侦听器。因此,在多个地方重用[AlwaysStoppedAnimation]实例是安全的
' 如果在编译时已知使用的值[value],则应将构造函数调用为`const`构造函数
'}
class ProxyAnimation{
AnimationStatus _status
double _value
Animation<double> _parent
}
'
'note right of ProxyAnimation{
' 定义:作为另一个动画的代理的动画
' 代理动画很有用,因为父动画可以变异。例如,一个对象可以创建代理动画,将代理交给另一个object,然后更改代理接收的动画的值
'}
class ReverseAnimation{
double get value
AnimationStatus get status
}
'note right of ReverseAnimation{
' 定义: 与另一个动画相反的动画
' 如果父动画从0.0到1.0向前运行,则此动画从1.0到0.0反向运行
' 使用[ReverseAnimation]不同于简单地使用开始为1.0,结束为0.0的[Tween],因为补间不会更改状态或动画的方向
'}
class TweenSequence<T>{
final List<TweenSequenceItem<T>> _items
final List<_Interval> _intervals
T transform(double t)
}
'note left of TweenSequence{
' 定义:允许创建其值由[Tween]s的序列定义的[Animation]
' 每个[TweenSequenceItem]都有一个定义其动画的持续时间百分比的权重.每个tween定义动画在其权重指示的间隔期间的值
'}
abstract class Curve{
const Curve()
double transform(double t)
double transformInternal(double t)
}
'note right of Curve{
' 定义:缓和曲线,即单位间隔到单位间隔的映射
' const Curve 抽象const构造函数。此构造函数使子类能够提供const构造函数,以便它们可以在const表达式中使用
' 缓动曲线用于调整动画随时间的变化率,允许他们加速和减速,而不是移动到恒定速率
' 曲线必须映射t = 0.0到0.0和t = 1.0到1.0
'}
class Interval{
final double begin
final double end
final Curve curve
double transformInternal(double t)
}
'note right of Interval{
' 定义:曲线为0.0直到[开始],然后弯曲(根据[曲线]来自在[end]为0.0到1.0),然后为1.0
' 间隔,定义动画开始百分比,结束百分比
' [间隔]可用于延迟动画。例如,一个使用[begin]设为0.5,[end]设为1.0的[interval]的6秒钟的动画,将基本上成为一个三秒钟后开始的持续三秒钟的动画
'}
class SawTooth{
final int count
double transformInternal(double t)
}
'note right of SawTooth{
' 定义:锯齿曲线,在单位间隔内重复给定次数
' 可用于闪烁??
' 曲线从0.0线性上升到1.0,然后每次迭代不连续地下降到0.0
'}
class Threshold{
final double threshold
double transformInternal(double t)
}
'note right of Threshold{
' Threshold,阀门,域
' 曲线在达到阈值之前为0.0,然后跳到1.0
'}
class Cubic{
final double a
final double b
final double c
final double d
double transformInternal(double t)
}
'note right of Cubic{
' 定义:单位区间的三次多项式映射
' [Cubic]类实现三阶Bézier曲线
' 第一个控制点(a,b)
' 第二个控制点(c,d)
'}
class FlippedCurve{
final Curve curve
double transformInternal(double t) => 1.0 - curve.transform(1.0 - t)
}
'note right of FlippedCurve{
' 曲线是其给定曲线的反转
'}
class ElasticInCurve{
final double period
double transformInternal(double t)
}
'note right of ElasticInCurve{
' 振荡曲线,在超出其范围时增大幅度
' 使用默认周期0.4的此类的实例可用作[Curves.elasticIn]
'}
class ElasticOutCurve{
final double period
double transformInternal(double t)
}
'note right of ElasticOutCurve{
' 一条振荡曲线,在超出其范围时会缩小幅度
' 使用默认周期0.4的此类的实例可用作[Curves.elasticOut]
'}
class ElasticInOutCurve{
final double period
double transformInternal(double t)
}
'note right of ElasticInOutCurve{
' 振荡的曲线,超出其范围随着时间的推移而增长然后缩小
' 使用默认周期0.4的此类的实例可用作[Curves.elasticInOut]
'}
Listenable <|-- Animation
Animation <.. Animatable
Animation <|-- AnimationController
Animation <|-- CurvedAnimation
Animation <|-- AlwaysStoppedAnimation
Animation <|-- ProxyAnimation
Animation <|-- ReverseAnimation
AnimationController <-- Ticker
AnimationController <.. TickerProvider
TickerProvider <|.. SingleTickerProviderStateMixin
TickerProvider <|.. TickerProviderStateMixin
Animatable <|-- Tween
Animatable <|-- CurveTween
Animatable <|-- TweenSequence
Tween <|-- ColorTween
Tween <|-- RectTween
Tween <|-- ConstantTween
Tween <|-- RelativeRectTween
CurveTween <-- Curve
Curve <|-- Interval
Curve <|-- SawTooth
Curve <|-- Threshold
Curve <|-- Cubic
Curve <|-- FlippedCurve
Curve <|-- ElasticInCurve
Curve <|-- ElasticOutCurve
Curve <|-- ElasticInOutCurve
@enduml |
a43982d43f27097e873fd0d3aa01c1a808a346c6 | d2c96f969cd4a57d2fef25280205e11be26a64b4 | /de.gematik.ti.utils/doc/plantuml/TIUTILS/codec.plantuml | 4ef0dc5d2ca6ce7a0bd5eb42c209751e370e6a1d | [
"Apache-2.0"
] | permissive | gematik/ref-Ti-Utils | cfe9a03769e801529bf652528828083f0cc767b1 | be995beba79613c5242be9c5388952c7816782e5 | refs/heads/master | 2022-01-15T08:47:41.366276 | 2022-01-07T07:23:43 | 2022-01-07T07:23:43 | 232,986,325 | 1 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 334 | plantuml | @startuml
namespace de.gematik.ti.utils.codec {
class de.gematik.ti.utils.codec.Hex {
{static} - HEX_RADIX : int
{static} + decode()
{static} + encodeHexString()
{static} + encodeHexString()
# Hex()
{static} # toDigit()
}
}
@enduml
|
00f87f8190330eb1070fcc3331205b6d3ed7e136 | f573ade0bcb356e9dd327ccbc5e02c58d45ff334 | /src/main/java/LPY/appliVisiteur/CodeGen/Model/Model.plantuml | cc9de0c577676b56a879285ee1866244cddf7968 | [] | no_license | yannickTilly/appliVisiteur | e9ff8bed951d629b9d7d976cf499f0c732d67b45 | 431308a6361e7bdff478bac4e0ae3c1a4748ed5c | refs/heads/master | 2022-11-20T17:08:46.661436 | 2020-05-19T11:24:53 | 2020-05-19T11:24:53 | 213,645,469 | 0 | 0 | null | 2022-11-15T23:31:27 | 2019-10-08T13:11:30 | Java | UTF-8 | PlantUML | false | false | 398 | plantuml | @startuml
title __MODEL's Class Diagram__\n
namespace PY.appliVisiteur {
namespace CodeGen.Model {
class LPY.appliVisiteur.CodeGen.Model.ApiCliModel {
}
}
}
right footer
PlantUML diagram generated by SketchIt! (https://bitbucket.org/pmesmeur/sketch.it)
For more information about this tool, please contact philippe.mesmeur@gmail.com
endfooter
@enduml
|
0b0a34455e4126edacae8551eb5b3e7678dd1baa | 59ddb23e6f0aab73bc00291e8a2f6d6d9a798da1 | /docs/Creational/AbstractFactory/uml.puml | 88b25185725ab8157d048f8a242747f50a82a2e7 | [] | no_license | xiaomidapao/patterns | d40cd0d55fb9ce09dffe34509a24a5f1d2bb186b | 038a1d6cf4eaa2aa2473ff2abbe972b18870f2b1 | refs/heads/master | 2020-07-24T02:24:55.441380 | 2019-09-15T02:34:03 | 2019-09-15T02:34:03 | 207,773,180 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 484 | puml | @startuml
interface Product{
+ calculatePrice()
}
class ShippableProduct{
- productPrice
- shippingCosts
+ __construct(productPrice,shippingCosts)
+ calculatePrice()
}
class DigitalProduct{
- price
+ __construct(price)
+ calculatePrice()
}
Product <|.. ShippableProduct
Product <|.. DigitalProduct
class ProductFactory{
+ {static} SHIPPING_COSTS
+ createShippableProduct()
+ createDigitalProduct()
}
Product <.. ProductFactory
@enduml |
e6a8ed5ca87f911664e9af2465bdcc82442aedc2 | 5992899e0dc7e047598bf810d6d66fb171b6b8fa | /src/main/javadoc/resources/fr/kbertet/lattice/io/ArrowRelationWriterTeX.iuml | eedd5a7f9101fa621a00aaaab42ed1157d44f28e | [
"CECILL-B"
] | permissive | kbertet/java-lattices | 9e237162ce8330f64769e27284a7f98fa189206f | ddca76f97c41024866e3f3a32b719cb0492c034b | refs/heads/master | 2020-12-03T09:19:43.451861 | 2014-12-12T11:20:45 | 2014-12-12T11:20:45 | 29,913,611 | 1 | 0 | null | 2015-01-27T12:41:58 | 2015-01-27T12:41:58 | null | UTF-8 | PlantUML | false | false | 323 | iuml | package fr.kbertet.lattice.io {
class ArrowRelationWriterTeX {
-{static}ArrowRelationWriterTeX instance
+void write(ArrowRelation arrow, BufferedWriter file)
+{static}ArrowRelationWriterTeX getInstance()
+{static}void register()
}
ArrowRelationWriter <|-- ArrowRelationWriterTeX
}
|
3fc403236b54072d9ee0b895c987510c9b3c999f | aa12ade00aed7f66f035ce9555c236292aef141a | /test6/src/class.puml | 0b11feffca48a377d24fdcb7d2f6a979eb832a6a | [] | no_license | nangezi/is_analysis | 0934c5305d7a5c431dd645779a9c80e85b73c062 | 47742c9115edfe31bd6c39440e88276721f7abe4 | refs/heads/master | 2020-03-07T16:41:08.967426 | 2018-06-08T12:45:55 | 2018-06-08T12:45:55 | 125,818,999 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 1,695 | puml | @startuml
title 基于GitHub的实验管理平台--类图
class users {
<b>user_id</b> (用户ID)
name (用户真实姓名)
github_username (用户GitHub账号)
update_date (用户GitHub账号修改日期)
password (用户密码)
disable (用户是否禁用)
}
class teachers{
<b>teacher_id</b> (老师工号)
department(老师所属部门)
}
class students{
<b>student_id</b> (学号)
class (班级)
}
users <|- students
users <|-- teachers
class course {
<b>course_name</b> (课程名)
<b>teacher_id</b>(任课老师)
term(学期)
test_id(实验编号)
course_num(课程限定人数)
course_time(上课时间)
course_wtime(上课周数)
}
class t_grades {
<b>student_id</b> (学号)
<b>course_name</b> (课程名称)
<b>test_id</b> (实验编号)
result (分数)
memo (评价)
update_date (评改日期)
test_web_sum (学生该实验网站正确与否)
}
class c_grades {
<b>student_id</b> (学号)
<b>course_name</b> (课程名称)
result_sum(成绩汇总)
course_web_sum (学生该课程网站正确与否)
}
class tests {
<b>test_id</b> (实验编号)
<b>course_name</b> (实验编号)
title (实验名称)
test_content(实验内容)
test_standard(实验评分项)
last_time(实验截止时间)
}
course "n" -- "n" c_grades
c_grades "1" -- "n" t_grades
tests "1" -- "n" t_grades
teachers "1" -- "n" course
students "n" -- "n" c_grades
tests "n" -- "1" course
@enduml |
439e6f1ac648b30aa9ecb48df8855ea573488632 | d3ed31698aa6133e5c16fe83add8d37cd0fda02f | /doc/diagrams/src/overview.plantuml | 0f792947506374d06b9f0dc59adc60392cf3e754 | [
"MIT"
] | permissive | th3architect/node-red-contrib-ctrlx-automation | fef64cbe38f9f6f8b163181129c0093cd12167a4 | d7ecef715ef72f6e8d6dc9a5c086bc0a3dfd4804 | refs/heads/master | 2023-01-25T00:50:51.893910 | 2020-12-01T08:21:28 | 2020-12-01T08:21:28 | null | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 1,110 | plantuml | @startuml Overview
skinparam componentStyle uml2
package ctrlx {
class CtrlxCore
{
-String token
+CtrlxCore(hostname, username, password)
+logIn()
+logOut()
+datalayerRead(path)
+datalayerReadMetadata(path)
+datalayerWrite(path, data)
+datalayerCreate(path, data)
+datalayerDelete(path)
+datalayerBrowse(path)
}
}
package node-red-contrib-ctrlx-automation {
class CtrlxConfig << Node-RED config node >>
{
+String hostname
+String username
+String password
+bool debug
+String name
}
enum Method {
READ
WRITE
CREATE
DELETE
METADATA
BROWSE
}
class CtrlxDatalayerRequest << Node-RED node >>
{
+CtrlxConfig device
+Method method
+String path
+String name
+onInput()
+onClose()
}
}
package "ctrlX CORE" <<Node>> {
class HttpsServer
}
CtrlxConfig "1" *-- "1" CtrlxCore : use >
CtrlxDatalayerRequest "0..*" --> "1" CtrlxConfig : register, unregister, use >
CtrlxConfig "1" --> "0..*" CtrlxDatalayerRequest : notify status >
CtrlxCore "0..*" --> "1" HttpsServer
@enduml
|
25196afe0a2bf2a645c0d166e9da1f42895f240e | 4419af28339ceb78ce656ec28bb2039792b10200 | /doc/Diagramme.puml | 1d560def6d26a8546687dcb7fab4473ef93fecbd | [] | no_license | M1M-OnFire/rest.shop | d4d0e983f50a04ce1aa371e704ee5a8367142e16 | fca0456a8793677dfa27e628d0d6b3eebf53dcc0 | refs/heads/master | 2023-03-24T13:03:03.019870 | 2021-03-23T07:09:20 | 2021-03-23T07:09:20 | 333,385,942 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 1,966 | puml | @startuml diagram
package boutique {
package model {
class Categorie {
- sousCategorie: Categorie
- name: string
- items: List<Item>
- getCategorie: string
- getsousCategorie: Categorie
+ this(sousCategorie: Categorie, name: string)
}
class Item {
- marque: string
- prix: double
- libelle: string
- photo: string
+ this(marque: string, prix: double, libelle: string, photo: string, categorie: Categorie)
+ getlibelle(): string
+ getPrix(): double
+ getMarque(): string
+ getPhoto(): string
+ setlibelle(): void
+ setPrix(): void
+ setMarque(): void
+ setPhoto(): void
}
}
package dao {
class ItemDao{
- contentProvider : Map<String, Item>
- this : ()
+ getModel() : Map<String, Item>
}
}
package ressources {
class ItemRessource{
- uriInfo : UriInfo
- request : Request
- id : String
+ this : (uriInfo : UriInfo , request Request , id : String)
+ getItem() : Article
+ getItemHTML() : Article
+ putArticle(article : JAXBElement<Article>) : Response
+ deleteTodo() : void
- putAndGetResponse(article : Article) : Response
}
class ItemsRessources{
- uriInfo : UriInfo
- request : Request
+ getItemsBrowser() : List<Article>
+ getItems() : List<Article>
+ getCount() : String
+ newItem(id :String, summary : String, description : String, servletResponse : HttpServletResponse) : void
+ getItem(id : String) : ArticleRessource
}
}
}
Categorie *--> Categorie: "sous-categorie"
Categorie *--> Item
@enduml |
29a110c35b606f72cd7e6a14e1510c3ceb22ce08 | d97b774fd95a8e98e37c46ee1771f6e6e407a148 | /uml/api/ChannelRemoveRolesAction.puml | 32aead20e5de72938f8750d52d80994c14948878 | [] | no_license | commercetools/commercetools-api-reference | f7c6694dbfc8ed52e0cb8d3707e65bac6fb80f96 | 2db4f78dd409c09b16c130e2cfd583a7bca4c7db | refs/heads/main | 2023-09-01T05:22:42.100097 | 2023-08-31T11:33:37 | 2023-08-31T11:33:37 | 36,055,991 | 52 | 30 | null | 2023-08-22T11:28:40 | 2015-05-22T06:27:19 | RAML | UTF-8 | PlantUML | false | false | 480 | puml | @startuml
hide empty fields
hide empty methods
legend
|= |= line |
|<back:black> </back>| inheritance |
|<back:green> </back>| property reference |
|<back:blue> </back>| discriminated class |
endlegend
interface ChannelRemoveRolesAction [[ChannelRemoveRolesAction.svg]] extends ChannelUpdateAction {
action: String
roles: [[ChannelRoleEnum.svg List<ChannelRoleEnum>]]
}
interface ChannelUpdateAction [[ChannelUpdateAction.svg]] {
action: String
}
@enduml
|
15ccb8512e1bfa72ae706cf414e006a7399164f8 | 1fef2f0f0ad13aebb3d3f732d0cae8867ee8e87c | /plantuml/Microwave.Test.Unit/UserInterfaceTest.puml | cd1c9d626620b4b9a19cfe2b47400dddfddd3dbd | [] | no_license | eengstroem/MicrowaveOven | b9711c314f053f00f9208cae69085d7bdf0ba3d4 | ac721f24f0025f5e10f50d4d58c4a7ad30f9fbd2 | refs/heads/master | 2023-04-25T09:55:42.513911 | 2021-05-24T16:45:23 | 2021-05-24T16:45:23 | 363,380,008 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 1,168 | puml | @startuml
class UserInterfaceTest {
+ Setup() : void
+ Ready_DoorOpen_LightOn() : void
+ DoorOpen_DoorClose_LightOff() : void
+ Ready_DoorOpenClose_Ready_PowerIs50() : void
+ Ready_2PowerButton_PowerIs100() : void
+ Ready_14PowerButton_PowerIs700() : void
+ Ready_15PowerButton_PowerIs50Again() : void
+ SetPower_CancelButton_DisplayCleared() : void
+ SetPower_DoorOpened_DisplayCleared() : void
+ SetPower_DoorOpened_LightOn() : void
+ SetPower_TimeButton_TimeIs1() : void
+ SetPower_2TimeButton_TimeIs2() : void
+ SetTime_StartButton_CookerIsCalled() : void
+ SetTime_DoorOpened_DisplayCleared() : void
+ SetTime_DoorOpened_LightOn() : void
+ Ready_PowerAndTime_CookerIsCalledCorrectly() : void
+ Ready_FullPower_CookerIsCalledCorrectly() : void
+ SetTime_StartButton_LightIsCalled() : void
+ Cooking_CookingIsDone_LightOff() : void
+ Cooking_CookingIsDone_ClearDisplay() : void
+ Cooking_DoorIsOpened_CookerCalled() : void
+ Cooking_DoorIsOpened_DisplayCleared() : void
+ Cooking_CancelButton_CookerCalled() : void
+ Cooking_CancelButton_LightCalled() : void
}
@enduml
|
1b1d4cb6a9024227b13e66e9e94d01beff283385 | c2b83ffbeb0748d1b283e093f0b987bdbc3d27ac | /docs/uml-class-diagrams/display01/helper/SatelliteSignalCheckRequest/SatelliteSignalCheckRequest.puml | 13d3c22ed2de4347269da629ebbd6e0b12cee5f0 | [] | no_license | Slackjaw1431/csi-3370-software-project | 79666760712ee4625bea3daea48c7072e7826465 | af44ad1066695e4f9eff74eda79cebef3ad2b1af | refs/heads/main | 2023-03-23T23:03:17.404846 | 2021-03-17T18:52:02 | 2021-03-17T18:52:02 | null | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 338 | puml | @startuml SatelliteSignalCheckRequest
package edu.oakland.helper.display01 {
class SatelliteSignalCheckRequest {
- String satelliteName
- String checkType
+ SatelliteSignalCheckRequest(String satelliteName, String checkType)
+ String getSatelliteName()
+ String getCheckType()
}
}
@enduml |
bdb8adfc46fa0dc89417aab5ac721cf1dba8e4e0 | d97b774fd95a8e98e37c46ee1771f6e6e407a148 | /uml/api/MyBusinessUnitAddBillingAddressIdAction.puml | ce2ce71ee681288d415844056e75b129fdccf3a9 | [] | no_license | commercetools/commercetools-api-reference | f7c6694dbfc8ed52e0cb8d3707e65bac6fb80f96 | 2db4f78dd409c09b16c130e2cfd583a7bca4c7db | refs/heads/main | 2023-09-01T05:22:42.100097 | 2023-08-31T11:33:37 | 2023-08-31T11:33:37 | 36,055,991 | 52 | 30 | null | 2023-08-22T11:28:40 | 2015-05-22T06:27:19 | RAML | UTF-8 | PlantUML | false | false | 519 | puml | @startuml
hide empty fields
hide empty methods
legend
|= |= line |
|<back:black> </back>| inheritance |
|<back:green> </back>| property reference |
|<back:blue> </back>| discriminated class |
endlegend
interface MyBusinessUnitAddBillingAddressIdAction [[MyBusinessUnitAddBillingAddressIdAction.svg]] extends MyBusinessUnitUpdateAction {
action: String
addressId: String
addressKey: String
}
interface MyBusinessUnitUpdateAction [[MyBusinessUnitUpdateAction.svg]] {
action: String
}
@enduml
|
1f355b3d63c176909e4b9914aad7dfc2cf050a59 | 92addf9ac745235fb51e5e3a0abd2494db5f9f4b | /src/main/java/ex44/exercise44_UML.puml | 98c456f766d4f07b46d4aaa243f25306caf0b45b | [] | no_license | vishal8557/choday-cop3330-assignment3 | bd61e8060aba52f8d5376e6df2faedc02ed1d3d3 | d81199eae03bf0404114aa812f8c3f50f425e2db | refs/heads/master | 2023-08-31T07:45:19.655353 | 2021-10-11T18:26:49 | 2021-10-11T18:26:49 | 416,053,974 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 252 | puml | @startuml
'https://plantuml.com/sequence-diagram
class App{
- App : ArrayList<THE_LIST_OF_THE_PRODUCTS_HERE>
- SEARCHINGNOW
- mbusa : chking_to_see_if_availbl
}
class searchmerch{
- List<string> -> ArrayList
-the_final_answer -> SEARCHINGNOW
}
@enduml |
82fb1a8f7cf8272a0b82cce67c2c2299603d8134 | d97b774fd95a8e98e37c46ee1771f6e6e407a148 | /uml/api/StagedQuoteChangeStagedQuoteStateAction.puml | b435213854672e6d4a67c38a7ea26e8c8cb7fc48 | [] | no_license | commercetools/commercetools-api-reference | f7c6694dbfc8ed52e0cb8d3707e65bac6fb80f96 | 2db4f78dd409c09b16c130e2cfd583a7bca4c7db | refs/heads/main | 2023-09-01T05:22:42.100097 | 2023-08-31T11:33:37 | 2023-08-31T11:33:37 | 36,055,991 | 52 | 30 | null | 2023-08-22T11:28:40 | 2015-05-22T06:27:19 | RAML | UTF-8 | PlantUML | false | false | 529 | puml | @startuml
hide empty fields
hide empty methods
legend
|= |= line |
|<back:black> </back>| inheritance |
|<back:green> </back>| property reference |
|<back:blue> </back>| discriminated class |
endlegend
interface StagedQuoteChangeStagedQuoteStateAction [[StagedQuoteChangeStagedQuoteStateAction.svg]] extends StagedQuoteUpdateAction {
action: String
stagedQuoteState: [[StagedQuoteState.svg StagedQuoteState]]
}
interface StagedQuoteUpdateAction [[StagedQuoteUpdateAction.svg]] {
action: String
}
@enduml
|
061ad909075f0198655c0ca23e15738be8fcfe56 | 0c46b2988021dacf063778be69c12cf9466ff379 | /INF/B3/Fortgeschrittene Programmierkonzepte (FPK)/2/Übungen/05-annotations-reflection/assets/uml/retrofit-spec.plantuml | aa37ff44d00ca5d836f11347d846258e0336fa9f | [
"MIT"
] | permissive | AL5624/TH-Rosenheim-Backup | 2db235cf2174b33f25758a36e83c3aa9150f72ee | fa01cb7459ab55cb25af79244912d8811a62f83f | refs/heads/master | 2023-01-21T06:57:58.155166 | 2023-01-19T08:36:57 | 2023-01-19T08:36:57 | 219,547,187 | 0 | 0 | null | 2022-05-25T23:29:08 | 2019-11-04T16:33:34 | C# | UTF-8 | PlantUML | false | false | 392 | plantuml | @startuml RetrofitAdapter
package de.thro.inf.fpk.a06 {
+interface ICNDBApi {
getRandomJoke(): Call<JokeResponse>
getRandomJoke(categoriesToInclude: String[]): Call<JokeResponse>
getRandomJokes(count: int): Call<JokesResponse>
getJokeById(id: int): Call<JokeResponse>
}
+class App {
+{static} main(args: String[]): void
}
}
@enduml
|
3a44470d368a3e40d9b48ddcd94e84333bd89cb1 | 3b861a1eb7939432fedec3009599b09f18241bca | /class/23.关系类.puml | ed797a62951449ba2078e379e6ec7abc1d356c27 | [] | no_license | congwiny/PlantUmlDemo | 4ee84b933630b5ab5653fc5ad6526cb2d52680b9 | b0df9b021c7a13c98c7b9c7d2736c9580b3215ae | refs/heads/master | 2022-06-14T04:45:21.696897 | 2020-05-05T09:28:05 | 2020-05-05T09:28:05 | 261,207,824 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 423 | puml | @startuml
'你可以在定义了两个类之间的关系后定义一个 关系类 association class 例如:
class Student {
Name
}
Student "0..*" - "1..*" Course
(Student, Course) .. Enrollment
class Enrollment {
drop()
cancel()
}
'也可以用另一种方式:
class Student2 {
Name
}
Student2 "0..*" -- "1..*" Course2
(Student2, Course2) . Enrollment2
class Enrollment2 {
drop()
cancel()
}
@enduml |
7a30a411b2bf06bb58546e486a16d0ae1addbdd0 | 74904279c83a5b146bb7a6e92f2592d051267cb8 | /doc/class.puml | 82c9f9180c9a507fabb46c8b854c161e7236a624 | [] | no_license | asura/transcription_tdd_cpp | 70c40279527ceefece714b752760660154c0b7ff | a6bf21d1cfd4b221a2ed047f8ab65ca4e93d6179 | refs/heads/master | 2020-05-17T12:07:30.032100 | 2019-04-28T10:08:02 | 2019-04-28T10:08:02 | 183,702,324 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 1,405 | puml | @startuml class
skinparam {
monochrome true
shadowing false
}
hide circle
hide empty members
class "Bank\n銀行 (為替変換器)" as Bank {
+ reduce(const Money&, const Currency&, const Rate&) const : const Money
}
class "Currency\n通貨の種類" as Currency {
- m_name : const std::string
+ Currency(const std::string&)
+ operator==(const Currency&) const : bool
}
class "Money\n手持ちの貨幣" as Money {
- m_amount : std::unordered_map<Currency, int>
+ Money()
+ Money(int, const Currency&
+ operator==(const Money&) const : bool
+ operator+(const Money&) const : const Money
+ operator*(int) const : const Money
+ reduce(const Currency&, const Rate&) const: const Money
+ {static} dollar(int) : Money
+ {static} franc(int) : Money
- void add(int, const Currency&)
}
class "Rate\n為替レート" as Rate {
- m_rates : std::unordered_map<FromTo, double>
+ set(const Currency&, const Currency&, double) : void
+ find(const Currency&, const Currency&) const : std::optional<double>
}
class "Rate::FromTo" as FromTo {
+ FromTo(const Currency&, const Currency&)
+ operator==(const FromTo&) const : bool
+ hash() const : std::size_t
}
Bank ...> Money
Bank ...> Currency
Bank ..> Rate
Rate *--> FromTo
FromTo o-l-> Currency : m_from
FromTo o-l-> Currency : m_to
Money *-r-> Currency
note bottom of Money: 複数の通貨を保持可
@enduml
|
8fb43fd0c88aebc5f2963e662212e465c42a3d32 | 06a7cd7df579bc7006e4fbaac1a659ae78192290 | /uml/ToDoListManager.puml | 8141d913197e0b7aa415e1dcc56e0377c4f8bf8e | [] | no_license | GSabiniPanini/little-cop3330-assignment4part2 | 7a410b3b0a6a0e9377cd68b56ef1f04c208ca92b | 8649528946fc456ef6ea1fa4cf119f652384f461 | refs/heads/master | 2023-06-22T13:29:59.807658 | 2021-07-12T04:30:06 | 2021-07-12T04:30:06 | 384,850,720 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 3,583 | puml | @startuml
'https://plantuml.com/class-diagram'
class ToDoListManager {
main()
start()
}
class ToDoListManagerController {
+ filterMenu: Menu
+ filterToggleGroup: ToggleGroup
+ showAllFilter: RadioMenuItem
+ showDoneFilter: RadioMenuItem
+ showNotDoneFilter: RadioMenuItem
+ toDoListView: ListView<ToDoList>
+ listTreeTable: TreeTableView<ToDoListItem>
- model: ToDoListModel
- doneColumn: TreeTableColumn<ToDoListItem, Boolean>
- descriptionColumn: TreeTableColumn<ToDoListItem, String>
- dateColumn: TreeTableColumn<ToDoListItem, String>
+ initialize()
- renameListButtonClicked(): void
- addItemButtonClicked(): void
- removeItemButtonClicked(): void
- editItemButtonClicked(): void
- markCompleteButtonClicked(): void
- showAllFilterClicked(): void
- showDoneFilterClicked(): void
- showNotDoneFilterClicked(): void
- sortButtonClicked(): void
- menuSaveAllClicked(): void
- menuLoadListClicked(): void
- clearListButtonClicked(): void
}
class ToDoListModel {
+ toDoListGroup : ArrayList<ToDoList>
- filter: String
<<constructor>> ToDoListModel()
+ addItem(): void
+ renameList(): void
- changeListName(ToDoList, String): void
- addItemToList(ToDoList, String, String): void
+ removeItem(): void
- removeItemFromList(ToDoListItem): void
+ completeToggle(): void
- completeTogglePass(ToDoListItem): void
+ sort(): void
+ updateViews(): void
+ updateFilter(): void
+ changeFilter(String): void
+ getFilter(): String
+ getBigString(): String
+ saveAll(): void
+ load(): void
+ clearList(): void
+ replaceList(ToDoList): void
- updateTable(ToDoList): void
+ editItem(): void
- editItemValues(ToDoListItem, String, String): void
}
class SortByDateComparator {
+ compare(ToDoListItem, ToDoListItem): int
}
class RenameListPopupController {
+ nameField: TextField
confirmButtonPressed(): void
}
class NewItemPopupController {
+ dateField: TextField
+ descriptionField: TextArea
cancelButtonPressed(): void
confirmButtonPressed(): void
}
class FileNamePopupController {
+ fileNameField: TextField
confirmButtonPressed(): void
}
class ToDoList {
- title: SimpleStringProperty
- list: ArrayList<ToDoListItem>
<<constructor>> ToDoList(String)
<<constructor>> ToDoList(String, String, String)
+ getTitle(): String
+ setTitle(String): void
+ getItem(int): ToDoListItem
+ addItem(String, String): void
+ addItem(String, String, String): void
+ removeItem(ToDoListItem): void
+ editItem(ToDoListItem, String, String): void
+ sortItemList(): void
+ toString(): String
}
class ToDoListItem {
- description: SimpleStringProperty
- date: String
- complete: boolean
<<constructor>> ToDoListItem (String, String)
<<constructor>> ToDoListItem (String, String, String)
+ updateItem(String, String): void
+ updateDescription(String): void
+ updateDate(String): void
+ toggleComplete(): void
+ getDescription(): String
+ getDate(): String
+ getStatus(): boolean
+ toString(): String
}
javafx.Application <|-- ToDoListManager
ToDoListManager - ToDoListManagerController
ToDoListManagerController *--> ToDoListModel
ToDoListModel *-> ToDoList
ToDoListModel *-> SortByDateComparator
ToDoListModel -- RenameListPopupController
ToDoListModel -- NewItemPopupController
ToDoListModel -- FileNamePopupController
ToDoList *-> ToDoListItem
@enduml |
2d49a56d726f6b7080fa777234ab6adf2e599472 | f22acb2262a5d4e80de44177ff691bc7d3492841 | /design-pattern/src/main/java/org/marco/designpattern/gof/behavioral/strategy/Strategy.puml | e32ab54456831387af7f6ae53d8ad8238e07c6cf | [] | no_license | zyr3536/java-learn | 5e64ef2111b978916ba47132c1aee19d1eb807f9 | 78a87860476c02e5ef9a513fff074768ecb2b262 | refs/heads/master | 2022-06-21T19:03:46.028993 | 2019-06-21T13:21:04 | 2019-06-21T13:21:04 | 184,074,885 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 320 | puml | @startuml
class Context {
- IStrategy strategy
+ void algorithm()
}
interface IStrategy {
+ void algorithm()
}
class ConcreteStrategy1 {
+ void algorithm()
}
class ConcreteStrategy2 {
+ void algorithm()
}
ConcreteStrategy1 ..|> IStrategy
ConcreteStrategy2 ..|> IStrategy
Context o-- IStrategy
@enduml |
c8777466059998824d2965223e4db90bd28482ae | da311f3c39421f5ff2277bd403b80cb0587c8abc | /Serveur/diagrammes/class_diagram_global/class_diagram.puml | b5029258c55a2d2fe6e0154d78041e4af6b30e16 | [] | no_license | Reynault/Pipop-Calendar | 380059bcbaa89d464b9ddf7c5661c924bb47b2ab | 5d2b5e28f604cd67964b316517c80c490ce5692e | refs/heads/master | 2021-06-09T14:35:16.647870 | 2019-03-29T14:22:13 | 2019-03-29T14:22:13 | 173,611,806 | 8 | 3 | null | 2021-04-29T09:40:03 | 2019-03-03T18:12:28 | JavaScript | UTF-8 | PlantUML | false | false | 17,856 | puml | @startuml
skinparam class {
BackgroundColor AliceBlue
ArrowColor DarkTurquoise
BorderColor Turquoise
}
skinparam stereotypeCBackgroundColor DarkTurquoise
skinparam stereotypeIBackgroundColor Magenta
skinparam stereotypeABackgroundColor Yellow
package "serveur.mycalendar.modele" #F0F0F0 {
package calendrier #E0E0E0 {
class Calendrier {
{field}private int idc
{field}private String nomC
{field}private String couleur
{field}private String theme
{field}private String email
public Calendrier(int idCalendar, String nom, String coul, String desc, String themes, String auteur)
public void consulterCalendrier(int id)
{static}public static int modificationCalendrier(int id, String nom, String couleur)
{static}public static int getHighestID()
public ArrayList<Evenement> getEvenements()
public String getNomCalendrier()
public boolean contient(Evenement e)
{static}public static int getCalendrierID(String nomUtilisateur, String nomCalendrier)
public void deleteEvent(Evenement e)
{static}public static ArrayList<Utilisateur> findInvites(int id)
{static}public static Calendrier find(int idC)
{static}public static ArrayList<Calendrier> find(Evenement e, int idEv)
public boolean save()
public boolean delete()
{static}public static ArrayList<String> getThemes()
public int modifAdmin(String emailNouveau, String email)
public int getIdC()
public StringBuilder getDescription()
public String getCouleur()
public String getTheme()
}
abstract class Evenement {
{field}private int idEv
{field}private int calendrierID
{field}private String nomE
{field}private String description
{field}private String image
{field}private String lieu
{field}private String couleur
{field}private String auteur
{field}private boolean visibilite
public Evenement(int id, int calID, String nom, String description, String image, Date datedeb, Date datefin, String lieu, String couleur, String auteur)
public void prevenirVues()
public boolean save()
{static}public static Evenement find(int idEv)
{static}public static Evenement find(String owner, String eventName)
{static}public static ArrayList<Evenement> find(int idc, String Email)
{static}public static int getHighestID()
public boolean delete()
public ArrayList<Utilisateur> findInvites()
public int getId()
public boolean getAdmin()
public HashMap<String, String> consult()
public boolean modify(int calendrierID, String nomE, String description, String image, Date datedeb, Date datefin, String lieu,String couleur, String auteur)
{static}public static boolean participatesInEvent(Utilisateur user, Evenement event)
public int transfererPropriete(Utilisateur user)
public boolean inEvent(Utilisateur user)
public String getNomE()
public String getDescription()
public String getImage()
public Date getDatedeb()
public Date getDatefin()
public String getLieu()
public String getAuteur()
public String getCouleur()
}
class EvenementPrive {
public EvenementPrive(int id, int calendrierID, String nom, String description, String image, Date datedeb, Date datefin, String lieu, String couleur, String auteur)
}
class EvenementPublic {
public EvenementPublic(int id, int calendrierID, String nom, String description, String image, Date datedeb, Date datefin, String lieu,String couleur, String auteur)
}
class Message {
}
}
package bdd #E0E0E0 {
class GestionnaireBDD <<(S, #FF7700)>> {
{field}{static}private static GestionnaireBDD instance
{field}{static}private static String userName
{field}{static}private static String password
{field}{static}private static String serverName
{field}{static}private static String portNumber
{field}{static}private static String name
{field}{static}private static String url
private GestionnaireBDD()
{static}public static synchronized GestionnaireBDD getInstance()
{static}public static Connection getConnection()
public void createConnection()
public void closeConnection()
public void setNomDB(String nomDb)
{static}public static String getName()
{static}public static boolean verifierExistenceCalendrier(int idc)
{static}public static boolean verifierAjoutAmi(String email1, String email2)
}
}
package droits #E0E0E0 {
abstract class Droit {
}
class Admin {
}
class Inviter {
}
class Modifier {
}
class Retirer {
}
}
package serveur #E0E0E0 {
class ApplicationServeur <<(S, #FF7700)>> {
{field}{static}private static ApplicationServeur instance
{field}{static}public static int PORT_NUMBER
{field}{static}public static int NB_BACKLOG
{field}{static}public static String URL
private ApplicationServeur()
{static}public static ApplicationServeur getInstance()
public void launchServer()
public HashMap<String, String> creationEvenement(String nomCalendrier, String nom, String description, String image, String datedeb, String datefin, String lieu, String couleur, String auteur, boolean visible)
private boolean verifierEvenement(String email, int calendrierID, String nom)
private int createEvenement(int calendrierID, String nom, String description, String image, String datedeb, String datefin, String lieu, String couleur, String auteur, boolean visible)
public HashMap<String, String> suppressionEvenement(int idEv)
public HashMap<String, String> modificationEvenement(int idEv, int calendrierID, String nomE, String description, String image, String datedeb, String datefin, String lieu, String couleur, String auteur)
public HashMap<String, String> consultationEvenement(String idEV)
public HashMap<String, String> authentification(String email, String mdp)
public HashMap<String, String> inscription(String email, String mdp, String prenom, String nom)
public HashMap<String, Object> loadCalendars(String email)
public HashMap<String, String> consultCalendar(int idCalendrier)
public HashMap<String, String> creationCalendrier(String nomCalendrier, String description, String couleur, String theme, String auteur)
private boolean verifierCalendrier(String email, String nomCalendrier)
private int creerCalendrier(String nomCalendrier, String description, String couleur, String theme, String auteur)
public HashMap<String, String> suppressionCalendrier(String email, int idC, boolean b)
private ArrayList<Calendrier> getCalendars(Evenement e)
public HashMap<String, String> modificationCalendrier(int id, String nom, String couleur, String theme, String description)
private void envoiNotifications(ArrayList<Utilisateur> alu)
public HashMap<String, String> ajoutAmi(String email1, String email2)
public HashMap<String, Object> creerNouveauGroupeAmis(ArrayList<String> amis, String nomGroupe)
public HashMap<String, Object> getUtilisateurs(String nom, String prenom)
public Calendrier getCalendrier(int id)
public HashMap<String, Object> getThemes()
public HashMap<String, Object> loadEvents(String auteur, String nomCalendrier)
public HashMap<String, String> modifAdminCalend(String nomCalendrier, String email, String emailNouveau)
public HashMap<String, String> transfererPropriete(String memberName, String eventOwner, String eventName)
{static}public static DateFormat getDateFormat()
public ArrayList<GroupeAmi> rechercherGroupe(String nomG)
public void verifInvitAmiEvenement(int idG, int idE)
public HashMap<String, String> supprimerGroupeAmis(String auteur, int id_Groupe)
public HashMap<String, String> supprimerAmis(String user, String amis)
public HashMap<String, String> modifierCompte(String email, String nom, String prenom, String mdp)
public HashMap<String, String> modifierGroupe(String email, int idG, String nomGroupe, ArrayList<String> users)
public void update(Observable o, Object arg)
}
class ConnexionClient {
{field}private httpVersion
{field}private method
public ConnexionClient(Socket socket)
public void run()
private HashMap<String, String> formateRequest()
private String createReponse(HashMap<String, String> donnees)
private void sendResponse(String reponse)
private void closeAll()
}
class ParseurJson <<(S, #FF7700)>> {
{field}{static}private static ParseurJson instance
private ParseurJson()
{static}public static ParseurJson getInstance()
public HashMap<String, String> decode(String json)
public String encodeObj(HashMap<String, Object> param)
public ArrayList<String> getUsers(HashMap<String, String> users)
public String encode(HashMap<String, String> param)
}
class Verification {
{static}public static boolean checkMail(String mail)
{static}public static boolean checkPassword(String email, String password)
{static}public static boolean checkCalendar(String email, int id)
{static}public static boolean checkCalendarByName(String email, String name)
{static}public static boolean checkEventByName(String email, String nom)
{static}public static boolean checkEvent(String email, int id)
{static}public static boolean checkEmptyData(ArrayList<String> donnees)
{static}public static boolean checkDate(Date deb, Date fin)
{static}public static boolean checkFriends(String email, ArrayList<String> u)
{static}public static boolean checkGroup(String email, int idG)
}
}
package utilisateur #E0E0E0 {
class GroupeAmi {
{field}private int idG
{field}private String email
{field}private String nomGroupe
{field}private String[] amis
public GroupeAmi(int idG, String em, String nomG)
public GroupeAmi(ArrayList<String> amis, String nomG)
{static}public static ArrayList<GroupeAmi> find(String nomG)
public boolean save()
{static}public static GroupeAmi find(int idG)
{static}public static Boolean delete(int idGroupe)
public boolean saveNom()
public boolean saveUsers(ArrayList<String> u)
public boolean deleteUser(String email)
public void setNomGroupe(String nomGroupe)
}
class Invitation {
{field}protected int idE
public Invitation(int id, String email, String type, String message, Date time, int idE)
public boolean save()
{static}public static ArrayList<Invitation> find(String Email)
public void update(Observable observable, Object o)
}
abstract class Notif {
{field}protected int idN
{field}protected String email
{field}protected String type
{field}protected String messageN
public Notif(int id, String email, String type, String message, Date time)
}
class NotifiCalendrier {
public NotifiCalendrier(int id, String email, String type, String message, Date time)
public void update(Observable o, Object arg)
}
class NotifiEvenement {
{field}protected int idE
public NotifiEvenement(int id, String email, String type, String message, Date time, int idE)
public boolean save()
{static}public static ArrayList<NotifiEvenement> find(String Email)
public void update(Observable observable, Object o)
}
class Utilisateur {
{field}private email
{field}private nom
{field}private tmpPassword
{field}private password
{field}private prenom
public Utilisateur(String email, String nom, String password, String prenom)
{static}public static boolean verifierConnexion(String email, String password)
{static}public static int verifierInscription(String email, String mdp, String prenom, String nom)
{static}public static int ajouterAmi(String email1, String email2)
{static}public static ArrayList<Calendrier> findCalendriers(String email)
public boolean save()
{static}public static Utilisateur find(String nom)
{static}public static ArrayList<Utilisateur> find(String nom, String prenom)
public String getEmail()
public String getNom()
public String getPrenom()
{static}public static boolean deleteAmis(String user, String amis)
{static}public static void invitUtilisateurEvenement(String email, int idEvent)
public void setNom(String nom)
public void setTmpPassword(String tmp_password)
public void setPassword(String password)
public void setPrenom(String prenom)
}
}
package exceptions #E0E0E0 {
class BadRequestException {
{field}private final String message
public BadRequestExeption(String request)
public String getMessage()
}
class ExceptionLimiteAtteinte {
public String getMessage()
}
class MessageCodeException {
{field}{static}public static String M_CALENDAR_NOT_FOUND
{field}{static}public static String M_CALENDAR_ALREADY_EXIST
{field}{static}public static String M_CALENDAR_ERROR_BDD
{field}{static}public static String M_EVENT_ALREADY_EXIST
{field}{static}public static String M_EVENT_ERROR_BDD
{field}{static}public static String M_EVENT_NOT_FOUND
{field}{static}public static String M_USER_NOT_FOUND
{field}{static}public static String M_USER_ALREADY_EXIST
{field}{static}public static String M_FRIEND_ALREADY_EXIST
{field}{static}public static String M_FRIEND_ERROR_BDD
{field}{static}public static String M_GROUP_ALREADY_EXIST
{field}{static}public static String M_BDD_ERROR
{field}{static}public static String M_DATE_ERROR
{field}{static}public static String M_SUCCESS
{field}{static}public static String M_NO_CHANGE
{field}{static}public static String M_SIZE_ERROR
{field}{static}public static String M_THEME_NOT_FOUND
{field}{static}public static String M_DATE_PARSE_ERROR
{field}{static}public static String M_EMPTY_DATA
{field}{static}public static String M_INVALID_EMAIL
{field}{static}private static String M_GROUPE_ERROR
{field}{static}public static String M_DB_CONSISTENCY_ERROR
{field}{static}public static String M_USER_NOT_IN_EVENT
{field}{static}private static String M_AMIS_NOT_FOUND
{field}{static}public static String C_NOT_FOUND
{field}{static}public static String C_ALREADY_EXIST
{field}{static}public static String C_ERROR_BDD
{field}{static}public static String C_DATE_ERROR
{field}{static}public static String C_SUCCESS
{field}{static}public static String C_SIZE_ERROR
{field}{static}public static String C_NO_CHANGE
{field}{static}public static String C_DATE_PARSE
{field}{static}public static String C_EMPTY_DATA
{field}{static}public static String C_INVALID_EMAIL
{field}{static}public static String C_GROUPE_ERROR
{field}{static}public static String C_DB_CONSISTENCY_ERROR
{field}{static}public static String C_AMIS_NOT_FOUND
{static}public static void success(HashMap<String, String> map)
{static}public static void invalid_email(HashMap<String, String> map)
{static}public static void empty_data(HashMap<String, String> map)
{static}public static void date_parse_error(HashMap<String, String> map)
{static}public static void theme_not_found(HashMap<String, String> map)
{static}public static void bdd_error(HashMap<String, String> map)
{static}public static void user_not_found(HashMap<String, String> map)
{static}public static void event_already_exist(HashMap<String, String> map)
{static}public static void bdd_calendar_error(HashMap<String, String> map)
{static}public static void no_change(HashMap<String, String> map)
{static}public static void calendar_not_found(HashMap<String, String> map)
{static}public static void event_not_found(HashMap<String, String> map)
{static}public static void calendar_already_exist(HashMap<String, String> map)
{static}public static void size_error(HashMap<String, String> map)
{static}public static void user_already_exist(HashMap<String, String> map)
{static}public static void bdd_event_error(HashMap<String, String> map)
{static}public static void date(HashMap<String, String> map)
{static}public static void group_not_found(HashMap<String, String> map)
{static}public static void amis_not_found(HashMap<String, String> map)
}
class MessageException {
}
class NoRequestException {
public String getMessage()
}
}
abstract class Observable {
}
interface Observer {
}
interface Runnable {
}
Calendrier -- "*" Evenement
Calendrier -- "1" StringBuilder
Evenement --|> Observable
Evenement -- "2" Date
Evenement -- "*" Message
Evenement -- "*" Droit
EvenementPrive --|> Evenement
EvenementPublic --|> Evenement
Invitation --|> Notif
Notif ..|> Observer
Notif --"1" Date
NotifiCalendrier --|> Notif
NotifiEvenement --|> Notif
Admin --|> Droit
Inviter --|> Droit
Modifier --|> Droit
Retirer --|> Droit
GestionnaireBDD -- "2" Properties
GestionnaireBDD -- "1" Connection
ApplicationServeur ..|> Observer
ApplicationServeur -- "1" Socket
ApplicationServeur -- "1" ServerSocket
ApplicationServeur -- "1" dateFormat
ConnexionClient ..|> Runnable
ConnexionClient -- "1" Socket
ConnexionClient -- "1" PrintWriter
ConnexionClient -- "1" BufferedWriter
ParseurJson -- "1" Gson
BadRequestException --|> RuntimeException
ExceptionLimiteAtteinte --|> RuntimeException
NoRequestException --|> RuntimeException
}
@enduml
|
1dc393acb07bd99ee6e376ade8657395bd155967 | 512f6d2466c56f73fb32d366e57af926b219f470 | /UMLS/FactoryMethodPattern.puml | 9bef8ed3348c12ebf6da3c938a144c199e2fe536 | [] | no_license | GerardRyan1989/SoftwareDesignPatternsCA | 0d2e9f617d1e2c7c1c3642056045b401c8254226 | 76bf52230278309d6c690caf8273ac4af357a929 | refs/heads/master | 2020-04-05T02:09:58.501941 | 2019-04-14T00:38:10 | 2019-04-14T00:38:10 | 156,466,359 | 1 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 1,854 | puml | @startuml
abstract class CardSuit{
{abstract}createCards(): ArrayList<PlayingCard>
+getCards(): ArrayList<PlayingCard>
}
Class ClubSuit{
-clubs: ArrayList<PlayingCard>
-card: ClubPlayingCard
CreateCards(): ArrayList<PlayingCard>
}
Class DiamondSuit{
-diamonds: ArrayList<PlayingCard>
-card: DiamondPlayingCard
CreateCards(): ArrayList<PlayingCard>
}
Class HeartSuit{
-hearts: ArrayList<PlayingCard>
-card: HeartPlayingCard
CreateCards(): ArrayList<PlayingCard>
}
Class SpadeSuit{
-spades: ArrayList<PlayingCard>
-card: SpadePlayingCard
CreateCards(): ArrayList<PlayingCard>
}
class PlayingCard{
#name: String
#suit: String
#value: int
#cardImage: ImageIcon
+PlayingCard()
+PlayingCard(name: String, suit: String, value: int, cardImage, ImageIcon)
+getName() :String
+setSuit(suit String): void
+getSuit():String
+getValue(): int
+getImage(): String
+toString(): String
}
class ClubPlayingCard{
+ClubPlayingCard(value: int,
name: String, cardImage, ImageIcon)
}
class HeartPlayingCard{
+HeartPlayingCard(value: int,
name: String, cardImage, ImageIcon)
}
class DiamondPlayingCard{
+DiamondPlayingCard(value: int,
name: String, cardImage, ImageIcon)
}
class SpadePlayingCard{
+SpadePlayingCard(value: int,
name: String, cardImage, ImageIcon)
}
ClubPlayingCard --|> PlayingCard
HeartPlayingCard --|> PlayingCard
DiamondPlayingCard --|> PlayingCard
SpadePlayingCard --|> PlayingCard
ClubSuit --* ClubPlayingCard
HeartSuit --* HeartPlayingCard
DiamondSuit --* DiamondPlayingCard
SpadeSuit --* SpadePlayingCard
ClubSuit --|> CardSuit
DiamondSuit --|> CardSuit
HeartSuit --|> CardSuit
SpadeSuit --|> CardSuit
@enduml |
3340599f547ac63b7b5ffd465ea534f8290d47c2 | ad3cc5450c8e0d30e3ddbc36db6fbb053e8965fb | /projects/oodp/html/umlversion/sg/edu/ntu/scse/cz2002/features/Invoice.PaymentType.puml | a50b9de14403768de839c445eb4f72dc299eb548 | [] | no_license | itachi1706/How-to-use-Git-NTUSCSE1819-Site | d6fcba79d906e9916c3961b11a6e1318d8a0f602 | dbce2f56b42e15be96bd40fd63e75389d397ca34 | refs/heads/master | 2021-07-12T15:24:44.197085 | 2020-08-01T12:31:23 | 2020-08-01T12:31:23 | 172,893,030 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 380 | puml | @startuml
enum Invoice.PaymentType [[../sg/edu/ntu/scse/cz2002/features/Invoice.PaymentType.html]] {
{static} +PAYMENT_CASH
{static} +PAYMENT_CARD
{static} +PAYMENT_NETS
{static} +PAYMENT_EZLINK
-s: String
-PaymentType(s:String)
+toString(): String
}
center footer UMLDoclet 1.1.3, PlantUML 1.2018.12
@enduml
|
d4e4060f114f1b16970562f08ecb29301f01b9aa | d97b774fd95a8e98e37c46ee1771f6e6e407a148 | /uml/api/AssociateRoleDeletedMessagePayload.puml | ad232cd9ff44aae31517157c0c08a406c377d2a7 | [] | no_license | commercetools/commercetools-api-reference | f7c6694dbfc8ed52e0cb8d3707e65bac6fb80f96 | 2db4f78dd409c09b16c130e2cfd583a7bca4c7db | refs/heads/main | 2023-09-01T05:22:42.100097 | 2023-08-31T11:33:37 | 2023-08-31T11:33:37 | 36,055,991 | 52 | 30 | null | 2023-08-22T11:28:40 | 2015-05-22T06:27:19 | RAML | UTF-8 | PlantUML | false | false | 424 | puml | @startuml
hide empty fields
hide empty methods
legend
|= |= line |
|<back:black> </back>| inheritance |
|<back:green> </back>| property reference |
|<back:blue> </back>| discriminated class |
endlegend
interface AssociateRoleDeletedMessagePayload [[AssociateRoleDeletedMessagePayload.svg]] extends MessagePayload {
type: String
}
interface MessagePayload [[MessagePayload.svg]] {
type: String
}
@enduml
|
28388a57dad2c562bc01bd55d6d01ffe6d368078 | 99fd128e25c1aef4813198b9594d1366b6e23943 | /Techs/software-craft/know-design/design-pattern/behavioral-patterns/strategy/3_usecomponent.puml | a9b7f47a5a46e20fb6919f047f53bb6fa64b8fc7 | [] | no_license | tcfh2016/knowledge-map | 68a06e33f8b9da62f9260035123b9f86850316f0 | 23aff8bf83c07330f1d6422fc6d634d3ecf88da4 | refs/heads/master | 2023-08-24T19:14:58.838786 | 2023-08-13T12:04:37 | 2023-08-13T12:04:45 | 83,497,980 | 2 | 2 | null | null | null | null | UTF-8 | PlantUML | false | false | 608 | puml | @startuml
FlyBehavior <|-- FlyWithWings
FlyBehavior <|-- FlyNoWay
abstract class FlyBehavior{
{abstract} fly()
}
MallardDuck *-- FlyWithWings
RedheadDuck *-- FlyWithWings
RubberDuck *-- FlyNoWay
DecoyDuck *-- FlyNoWay
Duck <|-- MallardDuck
Duck <|-- RedheadDuck
Duck <|-- RubberDuck
Duck <|-- DecoyDuck
class Duck {
quack()
swim()
{abstract} display()
}
class MallardDuck {
FlyWithWings flyWithWings
display()
}
class RedheadDuck {
FlyWithWings flyWithWings
display()
}
class RubberDuck {
FlyNoWay flyNoWay
display()
}
class DecoyDuck {
FlyNoWay flyNoWay
display()
}
@endluml
|
a3f2bd9ebb58a442951051caab6fcd3d3f5f8efd | c3c5e3249a0e20ad1db3ab5ae56c999403cee648 | /src/app/components/nutrition-v2/classes.puml | 2f61cb23ee9df7cc4013ca3333caa275f240ce95 | [] | no_license | t-techdev/1stPhorm_ionic | e5f3d1d6e6bb6a1d595c025b2e21e0cdc913c9c5 | df2a1fbee57a5a461b0fe4b57e67bdc3fd102bae | refs/heads/main | 2023-02-28T21:46:07.972948 | 2021-02-03T07:47:48 | 2021-02-03T07:47:48 | 335,498,015 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 2,244 | puml | @startuml
interface FoodSearchResultItem
{
String name
any source
String icon?
String image?
String extraInformation
}
class FoodSearchResult {
SearchResultItem[] results
}
namespace v2.ngxs-store {
class NutritionDay {
Date day
Meal[] meals
Macros macros
}
class Macros {
int protein
int carbs
int fats
int calories
}
Class Meal {
LoggedItem[] items
}
class FoodItem << TrackedFood >> {
}
NutritionDay -|> Macros
NutritionDay --|> Meal
Meal --|> FoodItem
}
interface TrackedFood {
id: number;
nutrition_day_id: number;
meal: number;
name: string;
fats: number;
carbs: number;
protein: number;
calories: number;
fiber?: number;
consumed_amount: number;
consumed_unit: string;
is_custom: boolean;
is_custom_food_template: boolean;
serving_information: ServingInfo;
is_branded_food: boolean;
nutritioninx_item_id: string | null;
nutritioninx_food_name: string | null;
total_count?: number;
thumbnail?: string;
}
class ServingInfo {
id: number;
tracked_item_id: number;
fiber?: number;
fats: number;
carbs: number;
protein: number;
calories: number;
serving_amount: number;
serving_unit: string;
alt_servings: AltServing[];
}
FoodSearchResult --|> FoodSearchResultItem
SearchResult --|> BrandedFood
SearchResult --|> CommonFood
CommonDetailFood --|> CommonFood
CommonDetailFood --|> BrandedFood
class SearchResult {
any[] common
BrandedFood[] branded
}
class CommonFood {
}
class BrandedFood {
brand_name: string;
brand_name_item_name: string;
brand_type: number;
food_name: string;
nf_calories: number;
nix_item_id: string;
nix_brand_id: string;
serving_qty: number;
serving_weight: number;
serving_unit: string;
}
class FoodPhoto {
thumb: String;
highres?: String;
}
class CommonDetailFood << BrandedFood>> {
alt_measures: AltServing[] | null;
brand_name: string | null;
food_name: string;
nf_calories: number;
nf_protein: number;
nf_total_fat: number;
nf_total_carbohydrate: number;
nf_dietary_fiber?: number;
serving_qty: number;
serving_unit: string;
serving_weight_grams: number;
nix_brand_name: string;
photo?: FoodPhoto;
}
@enduml
|
bd9046f6e853909dd90b157e950d5a9eb6715379 | d97b774fd95a8e98e37c46ee1771f6e6e407a148 | /uml/api/AzureFunctionsAuthentication.puml | 941f4d635f4a8bb990b6cc805774c031aa6bed31 | [] | no_license | commercetools/commercetools-api-reference | f7c6694dbfc8ed52e0cb8d3707e65bac6fb80f96 | 2db4f78dd409c09b16c130e2cfd583a7bca4c7db | refs/heads/main | 2023-09-01T05:22:42.100097 | 2023-08-31T11:33:37 | 2023-08-31T11:33:37 | 36,055,991 | 52 | 30 | null | 2023-08-22T11:28:40 | 2015-05-22T06:27:19 | RAML | UTF-8 | PlantUML | false | false | 473 | puml | @startuml
hide empty fields
hide empty methods
legend
|= |= line |
|<back:black> </back>| inheritance |
|<back:green> </back>| property reference |
|<back:blue> </back>| discriminated class |
endlegend
interface AzureFunctionsAuthentication [[AzureFunctionsAuthentication.svg]] extends HttpDestinationAuthentication {
type: String
key: String
}
interface HttpDestinationAuthentication [[HttpDestinationAuthentication.svg]] {
type: String
}
@enduml
|
81460b3f02245ae8a0d21b98a5d7f35f3d3b3a88 | c6c72378a47a34ea7f975cfddd0f6daba6b3b4d2 | /ch10/excercise/10-3.puml | fcad5af409bd0dfceceab0c24a31a284a2da35c4 | [] | no_license | yinm/uml-modeling-lesson | 323b45e8bd926ac0b0f94a024bfd6f20a7872d17 | 0bc65be5ee9e957d3627cb9a5986a8ac9a17744c | refs/heads/master | 2020-04-16T10:38:27.352993 | 2019-01-30T12:37:18 | 2019-01-30T12:37:18 | 165,511,559 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 298 | puml | @startuml
class 患者
class カテゴリ診断
class カテゴリ診断項目
class カテゴリ診断結果 {
存在/不在区分
}
患者 "1"-r-"*" カテゴリ診断結果
カテゴリ診断結果 "*"-u-"1" カテゴリ診断
カテゴリ診断 "*"-r-"1" カテゴリ診断項目
@enduml
|
1553c5067c82b27d24b986d9739d31846c25e452 | 7ce383ea99b3470eb42c4b2e3f417dbe94a0cb6d | /src/main/java/proyecto/tareas/tareas.plantuml | f7f82187b451ee94dfe2d5e786d1487e16d96088 | [] | no_license | christyalagon/tareas-back | f4f13b837800f0d22a052072a3dc54f6cbeb1ae1 | 07053277421c6f2377f8eedabeab79c56e604fa2 | refs/heads/master | 2020-05-16T23:39:58.130352 | 2019-06-17T06:48:44 | 2019-06-17T06:48:44 | 183,372,961 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 371 | plantuml | @startuml
title __TAREAS's Class Diagram__\n
package proyecto.tareas {
class TareasApplication {
{static} + main()
+ corsConfigurer()
}
}
right footer
PlantUML diagram generated by SketchIt! (https://bitbucket.org/pmesmeur/sketch.it)
For more information about this tool, please contact philippe.mesmeur@gmail.com
endfooter
@enduml
|
969c7d59720ee26b3c86d77c3ace734262b93ed4 | bfcc1cff5b98133396a36fc2644fca906d4f54de | /Python/Introduction CS-P/Problem Sets/ps04,/ps4b/diagram.puml | ac603853256a22e340c22ace6007495e4ba83f33 | [
"Apache-2.0"
] | permissive | Alonoparag/my-datascience-prep | 4b55d14be8c775a23f90d7ce2ca04bad647fd9c3 | c18d6b85d44631e3478c6529bdd0be5df0e0a1d1 | refs/heads/main | 2023-02-19T01:01:08.090281 | 2021-01-22T21:30:45 | 2021-01-22T21:30:45 | 323,679,233 | 0 | 0 | Apache-2.0 | 2021-01-12T09:51:55 | 2020-12-22T16:33:55 | Jupyter Notebook | UTF-8 | PlantUML | false | false | 835 | puml | @startuml
class Global{
+load_words(file_name: string):list
+is_word(word_list: list, word: string):boolean
+get_story_string():string
}
class Message{
-message_text: string
-valid_words: list
+__init__(text:string):Message
+get_message_text(): string
+get_valid_words(): list
+build_shift_dict(shift: int): dict
+apply_shift(shift: int): string
}
class PlaintextMessage{
-shift: int
-encryption_dict: dict
-message_text_encrypted: string
+__init__(text:string, shift:int):PlaintextMessage
+get_shift():int
+get_encryption_dict():dict
+get_message_text_encrypted():string
+change_shift(shift):None
}
class CiphertextMessage{
+__init__(text): CiphertextMessage
+decrypt_message():tuple
}
Message<|--PlaintextMessage
Message<|--CiphertextMessage
@enduml |
2463cdd53e59cee14d3a3cd2a15f9a1b9bfc4073 | 1cf4490d48f50687a8f036033c37d76fec39cd2b | /src/main/java/global/skymind/solution/fundamental/ex1/ex1.plantuml | 66bbf2afbfe59da3688bca8d7ed1bc525ae11a63 | [
"Apache-2.0"
] | permissive | muame-amr/java-traininglabs | 987e8b01afbaccb9d196f87c4a8a6b9a46a4cc83 | a93268f60e6a8491b1d156fae183a108ff0d9243 | refs/heads/main | 2023-08-06T10:04:57.996593 | 2021-09-28T11:21:00 | 2021-09-28T11:21:00 | null | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 955 | plantuml | @startuml
title __EX1's Class Diagram__\n
namespace global.skymind {
namespace solution.fundamental.ex1 {
class global.skymind.solution.fundamental.ex1.Ex1_CommonPractices1 {
{static} + PI_CONST : double
+ randInt : int
+ randStr : String
~ nonStaticRandD : double
{static} ~ staticRandD : double
{static} - helloJava : String
+ Ex1_CommonPractices1()
+ Ex1_CommonPractices1()
{static} + getHelloJava()
{static} + setRandD()
}
}
}
namespace global.skymind {
namespace solution.fundamental.ex1 {
class global.skymind.solution.fundamental.ex1.Ex1_CommonPractices2 {
{static} + main()
}
}
}
right footer
PlantUML diagram generated by SketchIt! (https://bitbucket.org/pmesmeur/sketch.it)
For more information about this tool, please contact philippe.mesmeur@gmail.com
endfooter
@enduml
|
fc7102c240c0e8c88c54713be6eed551a20f6e00 | 3bdbe6ad6fb883b05c43d614ab63d31836f59f62 | /src/main/java/cn/vector/pattern/template/template.puml | a027844a65fa794d007eeabe73543314499aeba0 | [] | no_license | HuangVector/pattern_demo | 8264be71fa1e7e215b4be0ce9f24e3a0b66328a6 | 94bfa011decdf8fa97333a5a8a31dbb2fa50947a | refs/heads/master | 2020-03-19T13:47:04.544829 | 2018-06-13T04:00:47 | 2018-06-13T04:00:47 | 136,594,947 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 472 | puml | @startuml
package "cn.vector.pattern.template" {
class Tea{
# brew()
# addCondiments()
# isCustomerWantsCondiments() = false
}
class Coffee{
# brew()
# addCondiments()
}
abstract class RefreshBeverage{
+ prepareBeverageTemplate()
..
- boilWater()
# {abstract} brew()
- pourInCup()
# {abstract} addCondiments()
# isCustomerWantsCondiments() = true
}
RefreshBeverage <|-- Tea
RefreshBeverage <|-- Coffee
}
@enduml |
0d27b2f6146912450d15617001e7e86026883f00 | 7b86a31cabc8a3f8c87995005675f82a7a39be22 | /test5/book.puml | 1ce3673741ef3b3337de4ede021e05ccac4d9cb5 | [] | no_license | 748580573/is_analysis | f8c241365f8dda070a70c349e21d8f0cba491435 | 827d589a52c72332882eb1d8a0fb842d60b835ac | refs/heads/master | 2020-03-07T14:41:13.744509 | 2018-06-06T14:09:04 | 2018-06-06T14:09:04 | 127,532,744 | 1 | 1 | null | null | null | null | UTF-8 | PlantUML | false | false | 308 | puml | @startuml
class book{
-int book_id
..
-String name
..
-String author
..
-String publish
..
-String ISBN
..
-String introduction
..
-String language
..
-float price
..
-int pubdate
--
-void setter()
..
-T getter()
}
@enduml |
b172f82c79a2bdaa4e6641214fc6ac332711d63b | 942438f1316c8c5bcb8f4d705290fec63a7f1446 | /src/main/java/tech/eportfolio/server/listener/listener.plantuml | 518e8ec1b77b9c5919b790f5df1e66022e939927 | [] | no_license | eportfolio-tech/server | 30ab0be7c66902552673de2d9401a71c9d88f787 | 058cf845b2a1b56487e61908266bae8a7c0203d6 | refs/heads/dev | 2023-01-20T07:06:12.074820 | 2020-12-02T15:31:42 | 2020-12-02T15:31:42 | 284,626,361 | 0 | 0 | null | 2020-11-02T08:41:44 | 2020-08-03T06:55:12 | Java | UTF-8 | PlantUML | false | false | 1,407 | plantuml | @startuml
title __LISTENER's Class Diagram__\n
namespace tech.eportfolio.server {
namespace listener {
class tech.eportfolio.server.listener.AddDefaultMusicListener {
{static} + defaultMusicURL : String
- logger : Logger
- mongoTemplate : MongoTemplate
+ onApplicationEvent()
}
}
}
namespace tech.eportfolio.server {
namespace listener {
class tech.eportfolio.server.listener.CreateQueueOnStartupListener {
- logger : Logger
+ onApplicationEvent()
+ setUserFollowRepository()
+ setUserFollowService()
+ setUserService()
}
}
}
tech.eportfolio.server.listener.AddDefaultMusicListener o-- tech.eportfolio.server.service.PortfolioService : portfolioService
tech.eportfolio.server.listener.CreateQueueOnStartupListener o-- tech.eportfolio.server.repository.UserFollowRepository : userFollowRepository
tech.eportfolio.server.listener.CreateQueueOnStartupListener o-- tech.eportfolio.server.service.UserFollowService : userFollowService
tech.eportfolio.server.listener.CreateQueueOnStartupListener o-- tech.eportfolio.server.service.UserService : userService
right footer
PlantUML diagram generated by SketchIt! (https://bitbucket.org/pmesmeur/sketch.it)
For more information about this tool, please contact philippe.mesmeur@gmail.com
endfooter
@enduml
|
a8399386a7c0d083a8ffbb707427de0b374e7297 | d97b774fd95a8e98e37c46ee1771f6e6e407a148 | /uml/api/QuoteRequestPagedQueryResponse.puml | 8149b7a293a41cfa6715474b6c6daa5115551f94 | [] | no_license | commercetools/commercetools-api-reference | f7c6694dbfc8ed52e0cb8d3707e65bac6fb80f96 | 2db4f78dd409c09b16c130e2cfd583a7bca4c7db | refs/heads/main | 2023-09-01T05:22:42.100097 | 2023-08-31T11:33:37 | 2023-08-31T11:33:37 | 36,055,991 | 52 | 30 | null | 2023-08-22T11:28:40 | 2015-05-22T06:27:19 | RAML | UTF-8 | PlantUML | false | false | 426 | puml | @startuml
hide empty fields
hide empty methods
legend
|= |= line |
|<back:black> </back>| inheritance |
|<back:green> </back>| property reference |
|<back:blue> </back>| discriminated class |
endlegend
interface QuoteRequestPagedQueryResponse [[QuoteRequestPagedQueryResponse.svg]] {
limit: Long
offset: Long
count: Long
total: Long
results: [[QuoteRequest.svg List<QuoteRequest>]]
}
@enduml
|
1f9c0da51e612c2db816cc123c6bc34093ad14a5 | 63114b37530419cbb3ff0a69fd12d62f75ba7a74 | /plantuml/Library/PackageCache/com.unity.test-framework@1.1.16/UnityEditor.TestRunner/Api/TestMode.puml | 30b438d9785c57b31473fc161891363f05c8d625 | [] | no_license | TakanoVineYard/AMHH | 215a7c47049df08c5635b501e74f85137b9e985b | 68887a313587a2934fb4ceb2994cbc2a2191d6a3 | refs/heads/master | 2023-01-13T02:08:02.787083 | 2020-11-17T14:51:57 | 2020-11-17T14:51:57 | 303,631,593 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 80 | puml | @startuml
enum TestMode {
EditMode= 1 << 0,
PlayMode= 1 << 1,
}
@enduml
|
3014c728e7e9dee394e892a4a24b6cdee9ca59a3 | a6d804259e69e6ba2b76386ab73d90a49cd2a248 | /doc/barebox_recipes.plantuml | 9f9fc5623ca9b0623ef03587a66693296362a067 | [
"MIT",
"LicenseRef-scancode-dco-1.1"
] | permissive | menschel-d/meta-barebox | 75de8958c3bfb42d1a818bf101f092e2f8f237d3 | fb96e95f1670cce18716989c6da3b4093a37b188 | refs/heads/master | 2023-06-08T20:59:42.099861 | 2023-05-23T21:25:37 | 2023-05-23T21:25:37 | 96,714,115 | 4 | 6 | MIT | 2021-04-26T22:22:03 | 2017-07-09T22:04:43 | BitBake | UTF-8 | PlantUML | false | false | 1,614 | plantuml | @startuml
skinparam packageStyle Folder
package "meta" {
class Cml1 as "cml1.bbclass"
class Deploy as "deploy.bbclass"
class KernelArch as "kernel-arch.bbclass"
}
package "meta-barebox" {
class Barebox as "barebox.bbclass" {
.. Input Variables ..
BAREBOX_CONFIG
BAREBOX_IMAGE_SRC
.. Output Variables ..
BAREBOX_IMAGE
BAREBOX_IMAGE_BASENAME
BAREBOX_IMAGE_SYMLINK
BAREBOX_IMAGE_SUFFIX
BAREBOX_IMAGE_SUFFIX_ELF
BAREBOX_IMAGE_SUFFIX_PER
BAREBOX_IMAGE_SUFFIX_SPI
--
-find_cfgs()
-find_dtss()
-apply_cfgs()
+do_configure()
+do_compile()
+do_deploy()
}
class BareboxCommonInc as "barebox-common.inc" << (I, yellow) >> {
}
class BareboxInc as "barebox.inc" << (I, yellow) >> {
}
class BareboxPblInc as "barebox-pbl.inc" << (I, yellow) >> {
.. Output Variables ..
BAREBOX_IMAGE_BASENAME
BAREBOX_IMAGE_SUFFIX
--
-get_extra_image_name()
+do_deploy_append()
}
class BareboxUtilsInc as "barebox-utils.inc" << (I, yellow) >> {
+do_install()
}
class BareboxBb as "barebox_<version>.bb" << (R, lightblue) >> {
}
class BareboxPblBb as "barebox-pbl_<version>.bb" << (R, lightblue) >> {
}
class BareboxUtilsBb as "barebox-utils_<version>.bb" << (R, lightblue) >> {
}
BareboxCommonInc <-- BareboxInc : require
BareboxCommonInc <-- BareboxPblInc : require
BareboxCommonInc <-- BareboxUtilsInc : require
BareboxInc <-- BareboxBb : require
BareboxPblInc <-- BareboxPblBb : require
BareboxUtilsInc <-- BareboxUtilsBb : require
}
Cml1 <|-- Barebox
Deploy <|-- Barebox
KernelArch <|-- Barebox
Barebox <|-- BareboxCommonInc
hide empty members
@enduml
|
6589b8e141fc3e1d8f77757e844ff2724aaf1c13 | e90038263ff9bd8bc82d590a6af1c7160ae5d849 | /exemples/layers/dto/class_diagram.puml | 41d2e8470a7472e1e6c0087910d2a3b00cafaf22 | [] | no_license | AntoineArthurG/cours-genie-logiciel | e6c417865583e838c9adec8ab178c54226af7036 | c24f325a770648adfecef41323dee79078469ead | refs/heads/main | 2023-02-28T18:27:36.460272 | 2021-05-18T21:07:55 | 2021-05-18T21:07:55 | null | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 691 | puml | @startuml
left to right direction
skinparam linetype ortho
package dto {
class UtilisateurDto {
-login: String
-nomComplet: String
-dateNaissance: LocalDate
+getters() / setters()
+getAge(): int
}
}
package dao {
class UtilisateurDao {
+findByLogin(String): UtilisateurDto
}
UtilisateurDao ..> UtilisateurDto
}
package service {
class UtilisateurService {
+findByLogin(String): UtilisateurDto
}
UtilisateurService --> UtilisateurDao
UtilisateurService ..> UtilisateurDto
}
package ihm {
class ConsoleIHM {
+run()
}
ConsoleIHM --> UtilisateurService
ConsoleIHM ..> UtilisateurDto
}
@enduml |
aa120b759cdf33fb6b3c412f2c4aa8e7aef08bd5 | 388e7e207031c4b6447b3cbace7bf7a6ab65f240 | /diagramas/qmp6-r.puml | bd93846cc0bf3a915ba0a8a599f8e83de2fa5ecb | [] | no_license | AlejandroDeheza/QMP | a0e73b4a1e88c46268cb6541a6063adff37617dc | 94923394dc5b6e47c34c821d5ea10618320a99ab | refs/heads/main | 2023-08-24T18:50:02.667926 | 2021-10-14T22:02:20 | 2021-10-14T22:02:20 | 361,529,489 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 4,150 | puml | @startuml
enum dominio.clima.AlertaMeteorologica {
TORMENTA, GRANIZO
}
class dominio.interesadoEnAlertas.NotificationService {
+ void notify(String mensaje)
}
class dominio.usuario.Usuario {
- String ciudad
- String email
+ void calcularSugerenciaDiaria()
+ void suscribirAccionSobreAlertas(AccionAnteAlertaMeteorologica)
+ void desuscribirAccionSobreAlertas(AccionAnteAlertaMeteorologica)
+ void realizarAccionesSobreAlertas(List<AlertaMeteorologica>,String)
}
class dominio.interesadoEnAlertas.MailSender {
+ void send(String email,String texto)
}
class dominio.clima.AccuWeatherAPI {
+ List<Map<String,Object>> getWeather(String)
+ Map<String,Object> getAlertas(String)
}
interface dominio.interesadoEnAlertas.Correo {
~ void enviarCorreo(String,String)
}
class dominio.interesadoEnAlertas.ActualizadorSugerenciasAnteAlerta {
+ void anteNuevasAlertasMeteorologicas(List<AlertaMeteorologica>,Usuario)
}
interface dominio.interesadoEnAlertas.Notificador {
~ void mostrarNotificacion(String)
}
class dominio.interesadoEnAlertas.NotificadorAnteAlertas {
- Map<AlertaMeteorologica,String> mensaje
+ void anteNuevasAlertasMeteorologicas(List<AlertaMeteorologica>,Usuario)
}
class dominio.usuario.RepositorioUsuarios {
+ void calcularSugerenciasDiarias()
}
class dominio.interesadoEnAlertas.EmisorDeCorreoAnteAlertas {
- String texto
+ void anteNuevasAlertasMeteorologicas(List<AlertaMeteorologica>,Usuario)
}
class dominio.clima.AccuWeather {
- Long periodoDeActualizacion
+ EstadoDelClima obtenerCondicionesClimaticas(String)
+ void actualizarAlertasMeteorologicas(String)
}
class dominio.clima.RepositorioClima {
- Map<String,List<AlertaMeteorologica>> alertasMeteorologicas
+ List<AlertaMeteorologica> getAlertasMeteorologicas(String)
+ void setAlertasMeteorologicas(String,List<AlertaMeteorologica>)
}
interface dominio.clima.ServicioMeteorologico {
~ EstadoDelClima obtenerCondicionesClimaticas(String)
~ void actualizarAlertasMeteorologicas(String)
}
interface dominio.interesadoEnAlertas.AccionAnteAlertaMeteorologica {
~ void anteNuevasAlertasMeteorologicas(List<AlertaMeteorologica>,Usuario)
}
class dominio.ropa.Atuendo {
- Prenda prendaSuperior
- Prenda prendaInferior
- Prenda calzado
- Prenda accesorio
+ Boolean esAdecuadoPara(BigDecimal)
}
class dominio.interesadoEnAlertas.MailSenderAdapter {
+ void enviarCorreo(String email, String cuerpo)
}
class dominio.interesadoEnAlertas.NotificationServiceAdapter {
+ void mostrarNotificacion(String mensaje)
}
dominio.clima.AlertaMeteorologica <.right. dominio.clima.RepositorioClima
dominio.interesadoEnAlertas.AccionAnteAlertaMeteorologica <|.. dominio.interesadoEnAlertas.ActualizadorSugerenciasAnteAlerta
dominio.interesadoEnAlertas.AccionAnteAlertaMeteorologica <|.. dominio.interesadoEnAlertas.NotificadorAnteAlertas
dominio.interesadoEnAlertas.AccionAnteAlertaMeteorologica <|.. dominio.interesadoEnAlertas.EmisorDeCorreoAnteAlertas
dominio.clima.ServicioMeteorologico <|.down. dominio.clima.AccuWeather
dominio.interesadoEnAlertas.Correo <|.. dominio.interesadoEnAlertas.MailSenderAdapter
dominio.interesadoEnAlertas.Notificador <|.. dominio.interesadoEnAlertas.NotificationServiceAdapter
dominio.ropa.Atuendo <-left- dominio.usuario.Usuario: sugerenciaDiaria
dominio.interesadoEnAlertas.AccionAnteAlertaMeteorologica "*" <-up- dominio.usuario.Usuario: accionesSobreAlertas
dominio.interesadoEnAlertas.Notificador <-up- dominio.interesadoEnAlertas.NotificadorAnteAlertas: notificador
dominio.usuario.Usuario "*" <-up- dominio.usuario.RepositorioUsuarios: usuarios
dominio.interesadoEnAlertas.Correo <-up- dominio.interesadoEnAlertas.EmisorDeCorreoAnteAlertas: correo
dominio.clima.AccuWeatherAPI <-right- dominio.clima.AccuWeather: apiClima
dominio.clima.RepositorioClima <-down- dominio.clima.ServicioMeteorologico: repositorioClima
dominio.usuario.RepositorioUsuarios <-left- dominio.clima.ServicioMeteorologico: repoUsuarios
dominio.interesadoEnAlertas.MailSender <-left- dominio.interesadoEnAlertas.MailSenderAdapter: mailSender
dominio.interesadoEnAlertas.NotificationService <-left- dominio.interesadoEnAlertas.NotificationServiceAdapter: notificationService
@enduml |
0f78c857582c2e45a9276a4f2469acfd09d99bfe | b44c1d48553582c3fdc7d00ff95876753dd05de4 | /uml/Events.puml | 65c5c2db30098b54a1423a70cc774e58034df9cc | [] | no_license | sebastianzabielski/IRC_Chat_java_client | c850610bc4bd179e34d37e903ad85e70676e256f | bcf4afad0f7facf69a2f30c77b1d6f70810aca52 | refs/heads/master | 2022-12-16T11:37:53.873845 | 2020-09-16T18:25:49 | 2020-09-16T18:25:49 | 289,716,290 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 595 | puml | @startuml
interface ServerReceiveEventListener{
+ handleEventUpdate(receive: Receive)
+ unsubscribe()
}
class ServerReceiveEvent {
- {static} listeners: Map<Integer, Set<ServerReceiveEventListener>>
+ ServerReceiveEvent()
+ ServerReceiveEvent(eventType: Integer, item: ServerReceiveEventListener)
+ emit(eventType: Integer, receive: Receive)
- initListenersMap()
+ subscribe(eventType: Integer, item: ServerReceiveEventListener)
+ unsubscribe(eventType: Integer, item: ServerReceiveEventListener)
}
ServerReceiveEventListener <|-- ServerReceiveEvent
@enduml
|
e9dbdaa37750d987aacc42a374e6fb8a4018fc8c | 728f724f8a9bcca154f31b18d47b82200811f18a | /Code/trafficsimulator/trafficsimulator.plantuml | 6403b633602945a4828104d6778732df110466fb | [] | no_license | UGent-DNA/TGS | c08195f992958f5523dde49aaa35f2484347b24d | 809c0207f5e7121bb58b4035ab1c3ef8b5229d1f | refs/heads/main | 2023-04-01T16:52:55.029944 | 2021-04-02T07:56:49 | 2021-04-02T07:56:49 | 353,014,724 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 5,554 | plantuml | @startuml
title __TRAFFICSIMULATOR's Class Diagram__\n
namespace trafficsimulator {
class trafficsimulator.Cycle {
- roads : Set<Road>
+ Cycle()
+ clear()
+ contains()
+ equals()
+ getInRoads()
+ getRoads()
+ hashCode()
+ isCritical()
+ isLocked()
+ toString()
}
}
namespace trafficsimulator {
class trafficsimulator.ExternalLoadHandler {
- net : TrafficNetwork
+ ExternalLoadHandler()
+ startElement()
}
}
namespace trafficsimulator {
class trafficsimulator.Junction {
- cap : double
- t_last_cross : double
- type : String
+ Junction()
+ getCap()
+ getTLast()
+ getType()
+ setCap()
+ setTLast()
}
}
namespace trafficsimulator {
class trafficsimulator.NetHandler {
- edge : Edge
- edges : HashMap<String, Edge>
- node : Node
- nodes : HashMap<String, Node>
- total_length : float
+ endElement()
+ getEdges()
+ getNodes()
+ printTotalLength()
+ startElement()
}
}
namespace trafficsimulator {
class trafficsimulator.Road {
- capacity : int
- critical_cycles : Set<Cycle>
- delayed_adds : Queue<Vehicle>
- jam_occupancy : int
- length : float
- load : float
{static} - mu : float
- n_lanes : int
- occupancy : int
- speed : float
- t_last_enter : double
- t_last_exit : double
- type : String
- vehicles : LinkedList<Vehicle>
- w_last : float
+ Road()
+ addCycle()
+ addDelayed()
+ addVehicle()
+ clear()
+ findCriticalCycle()
+ getCapacity()
+ getComplementCycles()
+ getCycles()
+ getCyclesInRoads()
+ getEMAWeight()
+ getFrom()
+ getFront()
+ getInRoads()
+ getJamOccupancy()
+ getLastEnterT()
+ getLastExitT()
+ getLength()
+ getLoad()
+ getNLanes()
+ getNextDelayed()
+ getOccupancy()
+ getOutRoads()
+ getReverse()
+ getSpeed()
+ getTo()
+ getTtr()
+ getType()
+ getVehicles()
+ hasDelayedAdd()
+ isCongested()
+ isCritical()
+ isFull()
+ isOccupied()
+ isQuasiFull()
+ removeBack()
+ removeCycle()
+ removeFront()
+ setLastEnterT()
+ setLastExitT()
+ setLoad()
- updateEMA()
}
}
namespace trafficsimulator {
class trafficsimulator.SimVars {
{static} + jam_density : float
{static} + max_density : float
{static} + max_speed : float
{static} + tff : float
{static} + tjf : float
{static} + tjj : float
}
}
namespace trafficsimulator {
class trafficsimulator.SimulationTest {
~ sim : TrafficSimulation
+ SimulationTest()
+ SimulationTest()
+ getNextRoad()
{static} + main()
+ makeFDRHetro()
+ makeFDRHomo()
+ printDensities()
}
}
namespace trafficsimulator {
class trafficsimulator.TrafficNetwork {
+ TrafficNetwork()
+ addExternalLoads()
+ getJunction()
+ getRoad()
{static} + main()
}
}
namespace trafficsimulator {
class trafficsimulator.TrafficSimulation {
- last_hopper : Vehicle
- last_hopper_edge : Edge
- net : TrafficNetwork
- priority_vehicles : PriorityQueue<Vehicle>
- step : int
- t : double
- vehicles : HashMap<String, Vehicle>
+ TrafficSimulation()
+ addVehicleRoute()
+ addVehicleRoute()
+ checkArrival()
+ clearSimulation()
+ getLastMover()
+ getLastMoverEdge()
+ getNetwork()
+ getNextTime()
+ getNumberOfVehicles()
+ getPriorityVehicles()
+ getStep()
+ getTime()
+ getVehicles()
{static} + main()
+ priorityQueueEmpty()
+ setTime()
+ simStep()
+ updateEdgeWeights()
+ writeDensities()
+ writeLocks()
- addDelayedVehicle()
- f()
- getTHead()
- putInExitQueue()
- updateFronts()
}
}
namespace trafficsimulator {
class trafficsimulator.Vehicle {
- name : String
- route : LinkedList<Road>
- t_enter_sim : double
- t_exit : double
- t_exit_sim : double
- t_min : double
+ Vehicle()
+ Vehicle()
+ advanceRoute()
+ arrived()
+ compareTo()
+ extendRoute()
+ getCurrentEdge()
+ getDestination()
+ getName()
+ getNextEdge()
+ getRouteLength()
+ getTExit()
+ getTInSim()
+ getTMin()
+ isAtFront()
+ setTExit()
+ setTExitSim()
+ setTMin()
}
}
trafficsimulator.ExternalLoadHandler -up-|> org.xml.sax.helpers.DefaultHandler
trafficsimulator.NetHandler -up-|> org.xml.sax.helpers.DefaultHandler
trafficsimulator.Vehicle .up.|> java.lang.Comparable
right footer
PlantUML diagram generated by SketchIt! (https://bitbucket.org/pmesmeur/sketch.it)
For more information about this tool, please contact philippe.mesmeur@gmail.com
endfooter
@enduml
|
2bb13d396e76e7490f4c33aea746a3f6987550f8 | 53bd199cf3446f70de21adaba0d415e387b1f843 | /docs/diagrams/openapi_class_diagram.plantuml | 9b93684479c2aba7943a8170e5d5f9b51265db43 | [
"MIT"
] | permissive | albamr09/bookish-node | a142d54e212531aaa44d695e0d6c47a4e1a7a963 | 23776473cdc7375348882ad7f66b3b7f55b25dbc | refs/heads/main | 2023-09-04T19:04:32.070971 | 2021-11-04T19:31:19 | 2021-11-04T19:31:19 | 413,492,402 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 1,279 | plantuml | @startuml
class BasicUser {
email * : string
}
class LogUser {
password *: string
}
BasicUser <|-- LogUser
class NewUser {
name: string
}
LogUser <|-- NewUser
class User {
id * : string
name: string
}
BasicUser <|-- User
class BookProperties {
isbn * : string
title * : string
edition : integer
year_published : string
author : Author
publisher : string
language : Language
genre : Genre
}
BookProperties -- Author : author
BookProperties -- Language : language
BookProperties -- Genre : genre
class BasicBook {
isbn * : string
title * : string
author : Author
}
BasicBook -- Author : author
class Book {
id * : string
}
BookProperties <|-- Book
class SuccessBook {
book * : Book
success * : boolean
}
SuccessBook -- Book : book
class Author {
id * : string
name * : string
birth_date : date
}
class Error {
success * : boolean
code * : Code
message : string
}
Error -- Code : code
enum Language {
chinese
spanish
english
hindi
arabic
portuguese
bengali
russian
japanese
french
german
}
enum Genre{
fantasy
science_fiction
adventure
romance
horror
thriller
LGTBQ
mistery
science
}
enum Code {}
@enduml
|
d4da2d2497648828694d2fa793fa0e580155dff0 | b7b7a4dd9535f893d8aee4e93abba7bb2e60232c | /processors.puml | e8ff243755c69e02fd87b7ffa397eabaa48736e1 | [] | no_license | vicchimenti/ImageSharpAPI | b9462310db109566ae4645b2a2faf9d599e6b746 | 7aeff3a8eb77f8087e39ba2ff34138d39a91aac7 | refs/heads/master | 2020-04-28T19:38:23.180618 | 2019-03-14T01:59:18 | 2019-03-14T01:59:18 | 175,517,413 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 1,717 | puml | @startuml processors
IProcessorStrategy <|.. ClassicalProcessorStrategy
IProcessorStrategy <|.. FunctionalProcessorStrategy
ProcessorFactory --> IProcessorStrategy
ClassicalProcessorStrategy --> OperationList
ClassicalProcessorStrategy --> OperationParser
ClassicalProcessorStrategy --> OperationProcessor
FunctionalProcessorStrategy --> FunctionList
FunctionalProcessorStrategy --> FunctionParser
FunctionalProcessorStrategy --> FunctionProcessor
FunctionProcessor --> FunctionList
FunctionParser --> FunctionList
OperationProcessor --> OperationList
OperationParser --> OperationList
class IProcessorStrategy {
+ ProcessImage(operations : string, imageData : byte[], loggerFactory : ILoggerFactory) : byte[]
}
class ProcessorFactory {
+ GetProcessor(strategy : string) : IProcessorStrategy
}
class FunctionList {
+ Functions: IEnumerable<Action<Image<Rgba32>, ILogger<Operation>>>
+ NumberOfOperations: int
+ Add(function: Action<Image<Rgba32>, ILogger<Operation>>)
}
class FunctionParser {
+ FunctionParser(operations: string, loggerFactory: ILoggerFactory)
+ Parse(): FunctionList
}
class FunctionProcessor {
+ FunctionProcessor(functionsList : FunctionList, loggerFactory : ILoggerFactory)
+ Execute(sourceImage: byte[]) : byte[]
}
class OperationList {
+ Operations: IEnumerable<Operation>
+ NumberOfOperations: int
+ Add(operation: Operation)
}
class OperationParser {
+ OperationParser(operations: string, loggerFactory: ILoggerFactory)
+ Parse(): OperationList
}
class OperationProcessor {
+ OperationProcessor(operationsList : OperationList, loggerFactory : ILoggerFactory)
+ Execute(sourceImage: byte[]) : byte[]
}
@enduml
|
54ea4efdef77954264ce098c5427d61f0acfa127 | 86a3a7f68a26bf947a96c34a6b008dc98e48c575 | /lapr2-2020-g041/docs/UC10/UC10_MD.puml | 769a0f3263e4a9f5bd1c7694f88c7a2c949303cd | [
"MIT"
] | permissive | GJordao12/ISEP-LAPR2 | 7f01f7fe4036f17a4a76f0595e80564c2dda7b3c | 0c537d1cf57f627f98e42b6f1b7e100f49ff2d15 | refs/heads/master | 2023-08-17T10:59:19.469307 | 2021-10-02T16:27:19 | 2021-10-02T16:27:19 | 272,283,723 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 1,143 | puml | @startuml
hide methods
left to right direction
class Platform {
-String designation
}
class Organization {
-String designation
}
class User {
-String name
-String email
-String password
}
class Collaborator {
-String name
-String email
}
class Manager {
-String name
-String email
}
class Freelancer {
-String id
-String name
-String email
-Integer NIF
-String IBAN
-double OverallPayments
}
class PaymentTransaction {
-String id
}
class Task {
-String id
-String briefDescription
-Double timeDuration
-Double costPerHour
-String category
}
Platform "1" -- "*" Organization : has registered >
Platform "1" -- "*" Freelancer : has registered >
Platform "1" -- "*" User : has registered >
Organization "1" -- "1" Collaborator: has >
Organization "1" -- "1" Manager: has >
Organization "1" -- "*" Task : has >
Organization "1" -- "*" PaymentTransaction : has >
Collaborator "0..1" -- "1" User : act as >
Manager "0..1" -- "1" User : act as >
PaymentTransaction "*" -- "1" Freelancer : to >
PaymentTransaction "1" -- "1" Task : referent >
Freelancer "1" -- "*" Task : does >
@enduml
|
0428df1df86f133b5222f19185aa492b9849be15 | 5fc94eb94e202b6fde35dc69de44fa6920e6a770 | /Observer/UML/observer.puml | 3e1df90d5fdd5c638ca870d6ee9bedcf0fd0c0a6 | [] | no_license | kyamashiro/head-first-design-pattern | 99ed8b08efa7c6bcb8461d0b5fd8f3ec75c642c1 | 870f338c6f7ef2511436aa57f4196098ae0cebc3 | refs/heads/master | 2020-08-21T20:01:00.860914 | 2019-12-08T08:47:50 | 2019-12-08T08:47:50 | 216,166,488 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 736 | puml | @startuml
title Observerパターン
interface Subject {
registerObserver()
removeObserver()
notifyObservers()
}
note left
オブジェクトはSubjectインターフェースを通して
オブザーバとしての登録や削除を行う
end note
interface Observer {
update()
}
note right
updateメソッドはSubjectの状態が変わると呼び出される
end note
class ConcreteSubject {
registerObserver()
removeObserver()
notifyObserver()
getState()
setState()
}
class ConcreteObserver {
update()
}
ConcreteSubject .up.|> Subject
ConcreteObserver .up.|> Observer
Subject -right-> Observer : 複数のオブザーバを持てる
ConcreteObserver -left-> ConcreteSubject
@enduml |
94f6894f445aecc1fb4682f027029be5c6b5e0cf | 3b5cc15f6abda714fb4f20e409bf8a7b4f2dec20 | /etudes_de_projet/interface.puml | 3055fd669e6c09f9a5d009f116678a1af15ed6a7 | [] | no_license | StephaneBranly/LO21-RPN-Calculator | 8009f3a02ca520ddd39ea2620e313c92d62a4190 | 781cedaed4fd94e378f7ae2308ad76deb47ff765 | refs/heads/main | 2023-02-13T21:55:43.046175 | 2021-01-04T13:46:27 | 2021-01-04T13:46:27 | null | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 4,366 | puml | @startuml
class Subject
class QMainWindow
class QLabel
class QDialog
package Interface <<Folder>>{
class Pile {
- ui : Pile*
- size : size_t = 5
+ Pile(parent : QWidget*)
+ ~Pile()
+ setMessage(m : const QString = "")
+ updateContent(content : const list<QString>)
+ updateSize(t : size_t)
+ getSize() const : size_t
}
class Commandline{
- ui : Commandline*
- textContent : QString
- clock : QTimer*
- cursor : bool = false
+ Commandline(parent : QWidget*)
+ ~Commandline()
+ addText(str : const QString)
+ clearText()
+ backspace()
+ updateText()
+ getText() const : QString
}
class KeyboardFunctions{
- ui : KeyboardFunctions*
- dock : QDockWidget*
- signalMapper : QSignalMapper*
+ KeyboardFunctions(parent : QMainWindow*)
+ ~KeyboardFunctions()
+ getDock() const : QDockWidget*
}
class KeyboardNumeric{
- ui : KeyboardNumeric*
- dock : QDockWidget*
- signalMapper : QSignalMapper*
+ KeyboardNumeric(parent : QMainWindow*)
+ ~KeyboardNumeric()
+ getDock() const : QDockWidget*
}
class Programmes{
- ui : Programmes*
- dock : QDockWidget*
- progs : list<Program*>
+ Programmes(parent : QMainWindow*)
+ ~Programmes()
+ getDock() const : QDockWidget*
+ updateProgs(li : list<QString>)
}
class Program{
- parent : Programmes*
- name : QString
- content : QString
- button : QPushButton*
- layout : QHBoxLayout*
- label : QLabel*
- editLabel : ClickableLabel*
+ Program(v : Programmes*, name : const QString)
}
class Variables{
- ui : Variables*
- dock : QDockWidget*
- vars : list<Variable*>
+ Variables(parent : QMainWindow*)
+ ~Variables()
+ getDock() const : QDockWidget*
+ updateVars(li : const list<QString>)
}
class Variable {
- parent : Variables*
- name : QString
- content : QString
- button : QPushButton*
- layout : QHBoxLayout*
- label : QLabel*
- editLabel : ClickableLabel*
+ Variable(v : Variables*, name : const QString)
}
class Mainwindow{
- ui : Mainwindow*
- commandline : Commandline*
- pile : Pile*
- keyboardnumeric : KeyboardNumeric*
- keyboardfunctions : KeyboardFunctions*
- programmes : Programmes*
- variables : Variables*
- editAtomDialog : EditAtom*
- buffer : QString
- settings : Settings*
- about : About*
- saveW : SaveWindow*
# keyPressEvent(ev : QKeyEvent*)
+ Mainwindow(parent : QWidget*)
+ ~Mainwindow()
+ getContentCommandLine() const : const QString
+ const QString getBuffer() const
+ setBuffer(s : QString)
+ setMessage(m:const QString)
+ updateAtoms(l : const list<tuple<QString, QString, QString>>)
+ updateStacks(m : const list<QString>)
}
class ClickableLabel {
- refName : QString =""
# mousePressEvent(event : QMouseEvent*)
+ setRefName(s : QString)
+ {explicit} ClickableLabel(parent : QWidget*, f : WindowFlags)
+ ~ClickableLabel()
}
class Settings {
- ui : Settings*
+ {explicit} Settings(parent : QWidget*)
+ ~Settings()
+ setInputValue(s : const size_t)
}
class SaveWindow {
- *ui : SaveWindow
- atoms : list<SaveWindowItem*>
- buffer : QString
+ {explicit} SaveWindow(p : QWidget*)
+ ~SaveWindow()
+ setBuffer(s : const QString)
+ getBuffer() const : QString
}
class SaveWindowItem {
- name : QString
- checkbox : QCheckBox*
- layout : QHBoxLayout*
- label : QLabel*
+ {explicit} SaveWindowItem(parent : QWidget*, valueName : const QString)
+ isChecked() const : bool
+ getAtomName() const : QString
}
class EditAtom {
+ {explicit} EditAtom(parent : QWidget*)
+ ~EditAtom()
+ setAtomName(: const QString)
+ setAtomValue(: const QString)
- ui : EditAtom*
- oldName : QString
}
class About {
- ui : About*
+ {explicit} About(parent : QWidget*)
+ ~About()
}
class QWidget
QWidget <|-- Programmes
QWidget <|-- Program
QWidget <|-- KeyboardNumeric
QWidget <|-- KeyboardFunctions
QWidget <|-- Pile
QWidget <|-- Variables
QWidget <|-- Variable
QWidget <|-- Commandline
QWidget <|-- SaveWindowItem
QDialog <|--- Settings
QDialog <|-- SaveWindow
QDialog <|-- EditAtom
QDialog <|--- About
Mainwindow *-- QWidget
QMainWindow <|-- Mainwindow
Subject <|-- Mainwindow
QLabel <|--- ClickableLabel
Programmes o-- Program
Variables o-- Variable
SaveWindow o-- SaveWindowItem
}
@enduml
|
7b590c105c884d66e10409b9c2bd8d539df873c5 | c78d37803024db31063d7b6a9a0450fdcfd38028 | /design/backend.puml | 845a7017053beef63bd0d991354be98b96db98f1 | [] | no_license | ArtemNikolaev/azul | 9ae61394fb9808c80c73f4ca8875e3cb4017496b | 40a9abf48ef27cb6b45350f226cec15305e1f79b | refs/heads/master | 2023-01-05T00:29:35.953897 | 2018-10-02T12:31:50 | 2018-10-02T12:31:50 | 149,271,535 | 0 | 0 | null | 2023-01-04T14:01:38 | 2018-09-18T10:39:48 | JavaScript | UTF-8 | PlantUML | false | false | 736 | puml | @startuml
class Game {
-bag: Bag
-table: Table
-players: []<Player>
}
class Bag {
-bag: []<String>
-box: []<String>
+void shuffle()
+array getTiles()
}
class Table {
-displays: []<[]<String>>
-table: []<String>
-scoringMarker: Boolean
+void setDisplay(display: Number, colors: []<String>)
+void move(color: String, display: Number || Undefined)
}
class Player {
-score: Number = 0
-scoringMarker: Boolean
}
class Wall {
-level: Number
-wall: []<[]<{color: String, col: Number}>>
+ move(color: String, col: Number)
}
class PatternLines {
+floorLine: Number = 0
}
Game o-- Bag
Game o-- Table
Game o-- Player
Player o-- Wall
Player o-- PatternLines
@enduml
|
1301d485376f5ee01aeb00b9ed759e81131ddc8d | 31ea04abb4acf9a94f1ebee9e62bcd19e5ee93c2 | /docs/diagrams/log/DataPointAbstractClass.puml | f27f18f6e06fa84687cb56cb375e590a75d10775 | [
"MIT",
"LicenseRef-scancode-other-permissive"
] | permissive | chishanw/main | b6347529990a2f80d8a40d5a3f3d3d756655b121 | 54ed66bb7d30f2f6dfbc9048cd4f76748f214062 | refs/heads/master | 2021-01-07T03:33:19.184525 | 2020-04-13T14:06:45 | 2020-04-13T14:06:45 | 241,567,776 | 1 | 0 | NOASSERTION | 2020-02-19T08:16:34 | 2020-02-19T08:16:33 | null | UTF-8 | PlantUML | false | false | 248 | puml | @startuml
class DataPoint {
-labelName: String
-result: String
+DataPoint(String labelName, String defaultResult)
+getLabelName(): String
+getResult(): String
+calculate(List<CompletedWorkouts> workouts): void
}
@enduml
|
539c22a6af58cb43d605a73440cc72847184875b | efd347d9c7143093dc8c35c03bcc6a41d2291cc8 | /ioc/2.ApplicationContext/ApplicationContext.puml | 64f53b1efffd07abf15c7972efb8414255d16228 | [] | no_license | willwhzhang/spring-source-note | 340e2dd97087204263695719db4625f74f7b059a | a8731e0cf38ec446893df9145f832ec16deef867 | refs/heads/master | 2022-06-12T15:57:24.924322 | 2020-05-05T13:41:59 | 2020-05-05T13:41:59 | 261,181,689 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 1,769 | puml | @startuml
interface EnvironmentCapable
interface BeanFactory
interface ListableBeanFactory extends BeanFactory
interface HierarchicalBeanFactory extends BeanFactory
interface MessageSource
interface ApplicationEventPublisher
interface ResourcePatternResolver
interface ApplicationContext
EnvironmentCapable <|-- ApplicationContext
ListableBeanFactory <|-- ApplicationContext
HierarchicalBeanFactory <|-- ApplicationContext
MessageSource <|-- ApplicationContext
ApplicationEventPublisher <|-- ApplicationContext
ResourcePatternResolver <|-- ApplicationContext
interface Lifecycle
interface Closeable
interface ConfigurableApplicationContext extends ApplicationContext, Lifecycle, Closeable
class AbstractApplicationContext extends DefaultResourceLoader implements ConfigurableApplicationContext {
-ApplicationContext parent;
-ConfigurableEnvironment environment;
-List<BeanFactoryPostProcessor> beanFactoryPostProcessors
-long startupDate
-AtomicBoolean active
-AtomicBoolean closed
-Object startupShutdownMonitor
-Thread shutdownHook
-ResourcePatternResolver resourcePatternResolver
-LifecycleProcessor lifecycleProcessor
-MessageSource messageSource
-ApplicationEventMulticaster applicationEventMulticaster
-Set<ApplicationListener<?>> applicationListeners
-Set<ApplicationListener<?>> earlyApplicationListeners
-Set<ApplicationEvent> earlyApplicationEvents
}
interface AliasRegistry
interface BeanDefinitionRegistry extends AliasRegistry
class GenericApplicationContext extends AbstractApplicationContext implements BeanDefinitionRegistry
interface AnnotationConfigRegistry
class AnnotationConfigApplicationContext extends GenericApplicationContext implements AnnotationConfigRegistry
@enduml |
66c0114aa6d08730a689308aa37660a45f60db61 | 92977ea6ba766b9d87fcfc6dce5b6d0c712aa3d2 | /docs/diagrams/DietTrackerMetricsCommandClassDiagram.puml | f99028b195aa71c2d15e31bbe61a558d3896bb1f | [
"MIT"
] | permissive | WillySeahh/main | 202ea13b74807727fa8b1010b30139a034b8d94e | 664611ec114ad35b7528bab89ca4c47876b28f22 | refs/heads/master | 2021-01-05T16:17:11.402471 | 2020-04-16T18:11:29 | 2020-04-16T18:11:29 | 241,072,558 | 0 | 0 | NOASSERTION | 2020-02-17T09:52:59 | 2020-02-17T09:52:58 | null | UTF-8 | PlantUML | false | false | 1,884 | puml | @startuml
/' @author @jarrod-bob'/
/' Got inspiration and adapted
from https://github.com/AY1920S2-CS2103T-W12-1/main/blob/master/docs/images/DeliveredClassDiagram.png '/
skinparam backgroundColor #ffffff
skinparam classAttributeIconSize 0
hide circle
class MetricsCommandParser implements Parser {
/' Methods '/
+ parse(args : String) : MetricsCommand
}
interface Parser<T extends Command> <<Interface>> {
parse(userInput : String) : MetricCommand
}
abstract class Command<E> {
{abstract} execute(model : E) : CommandResult
}
class MetricsCommand extends Command {
/' Fields '/
/' Methods '/
+ execute(dietModel : DietModel) : CommandResult
+ equals(other : Object) : boolean
}
interface DietModel <<Interface>> {
+ PREDICATE_SHOW_ALL_FOODS : Predicate<Food>
+ setUserPrefs(userPrefs : ReadOnlyUserPrefs) : void
+ getUserPrefs() : ReadOnlyUserPrefs
+ getMyselfFilePath() : Path
+ setMyselfFilePath(myselfFilePath : Path) : void
+ setMyself(myself : ReadOnlyMyself) : void
+ getMyself() : ReadOnlyMyself
+ setHeight(height : Height) : void
+ setWeight(weight : Weight) : void
+ getHeight() : Height
+ getWeight() : Weight
+ setMode(mode : Mode) : void
+ printMetrics() : String
+ getMode() : Mode
+ getFoodBookFilePath() : Path
+ setFoodBookFilePath(foodBookFilePath : Path) : void
+ setFoodBook(foodBook : ReadOnlyFoodBook) : void
+ getFoodBook() : ReadOnlyFoodBook
+ hasFood(food : Food) : boolean
+ deleteFood(target : Food) : void
+ addFood(food : Food) : void
+ setFood(target : Food, editedFood : Food) : void
+ getFilteredFoodList() : ObservableList<Food>
+ listFoods(mode : String) : String
+ updateFilteredFoodList(predicate : Predicate<Food>) : void
}
MetricsCommand ..> DietModel
MetricsCommandParser ..> MetricsCommand
@enduml
|
91172b6a1f0c1e9510a518a3fefb9be735c294d1 | d24aed235517b5485930962b3b7af017ff8d8710 | /04_object_oriented/uml/diagram.puml | cc355186b23ce3e7e883d219b2648b1b434554c4 | [] | no_license | allokeen/PHP-Homeworks | e1e1c0f3037b784f0457007f8e1df67e5ae6f302 | cd74c5f98d4b9dfc8a7fb4abce24a1e478d25100 | refs/heads/master | 2022-04-08T22:49:56.761609 | 2020-01-14T23:27:59 | 2020-01-14T23:27:59 | 249,502,035 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 2,873 | puml | @startuml
class App {
+ run()
- render(Widget\Widget)
}
note as AppNote
1. Creates storage object.
2. Creates several widgets.
3. Stores widgets into storage.
4. Loads widgets from storage.
5. Draws widgets using render method.
end note
App .. AppNote
namespace Widget {
abstract class Widget {
+ draw()
}
class Link {
+ draw()
}
note as LinkNote
Prints link HTML using echo command.
Example: <a href="">widget_link_1</a>
end note
Link .. LinkNote
class Button {
+ draw()
}
note as ButtonNote
Prints button HTML using echo command.
Example: <input type="button" value="widget_button_2">
end note
Button .. ButtonNote
Widget <|-- Link
Widget <|-- Button
}
App ..> Widget.Widget : draws
App ..> Widget.Button : creates
App ..> Widget.Link : creates
namespace Concept {
abstract class Distinguishable {
- id
+ key() : string
- normalize(string)
}
note as DistinguishableNote
Creates unique key for every objects.
Takes id in constructor and combines it with type names.
Example: widget_link_1, widget_button_2
Uses static::class to get type of deriving class.
end note
Distinguishable .. DistinguishableNote
}
Concept.Distinguishable <|-- Widget.Widget
namespace Config {
class Directory {
- {static} root
+ {static} set(string)
+ {static} root() : string
+ {static} storage() : string
+ {static} view() : string
+ {static} src() : string
}
note as DirectoryNote
Used to set path to main directory in index.php.
Return path to storage/ and views/ directory.
end note
Directory .. DirectoryNote
}
namespace Storage {
interface Storage {
+ store(Distinguishable)
+ loadAll() : array
}
class SessionStorage {
+ store(Distinguishable)
+ loadAll() : array
}
note as SessionStorageNote
Stores serialized objects in $_SESSION
Example: $_SESSION[$dummy->key()] = serialize($dummy)
end note
SessionStorage .. SessionStorageNote
class FileStorage {
+ store(Distinguishable)
+ loadAll() : array
}
note as FileStorageNote
Stores serialized objects in storage/ directory.
Example file storage/widget_button_2 contains
serialized object of type Button with id 2.
end note
FileStorage .. FileStorageNote
Storage <|-- SessionStorage
Storage <|-- FileStorage
}
Storage.Storage ..> Concept.Distinguishable : stores/loads
Storage.FileStorage ..> Config.Directory : uses
App ..> Storage.FileStorage : creates
App ..> Storage.SessionStorage : creates
App ..> Storage.Storage : uses
package index.php <<Rectangle>> {
}
index.php ..> App : creates
index.php ..> Config.Directory : configures
@enduml |
07d78a7b9b527e13c354506299191832199c18fe | b2d33d6e2b323281a5adab60b65f5c9906c6d5ec | /exempluGrafica/src/main/java/joc/listener/listener.plantuml | a0bcf071350d8a22da6421ae2711cfa6ee9eabdc | [] | no_license | LoghinVladDev/gameEx | b68da7b75f01cdf11afce935fac876cb4420ad68 | 3dc465af55f55b2aa5634446d2115615cc8a46f7 | refs/heads/master | 2022-10-17T05:20:03.623434 | 2020-06-11T16:03:28 | 2020-06-11T16:03:28 | 265,932,516 | 1 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 932 | plantuml | @startuml
title __LISTENER's Class Diagram__\n
namespace joc {
namespace listener {
class joc.listener.CombatListener {
+ keyPressed()
+ keyReleased()
+ keyTyped()
}
}
}
namespace joc {
namespace listener {
class joc.listener.MovementListener {
- down : boolean
- left : boolean
- right : boolean
- up : boolean
+ isDown()
+ isLeft()
+ isRight()
+ isUp()
+ keyPressed()
+ keyReleased()
+ keyTyped()
}
}
}
joc.listener.CombatListener .up.|> java.awt.event.KeyListener
joc.listener.MovementListener .up.|> java.awt.event.KeyListener
right footer
PlantUML diagram generated by SketchIt! (https://bitbucket.org/pmesmeur/sketch.it)
For more information about this tool, please contact philippe.mesmeur@gmail.com
endfooter
@enduml
|
be57dbb256aba18c8464f002606e25c66b29650a | e313af6ff9b250b6d7daf55f4e779659fb141c20 | /docs/adr/0002-new-asset-model/existing_asset_model.puml | 3f16dbf84cee3d4fad00feb18b51a85a422a86a4 | [
"MIT",
"LicenseRef-scancode-proprietary-license"
] | permissive | alphagov/whitehall | 71f0806ea856082bd4ea71139ff3f1d299a02294 | bdeb92e9e1dfc88a8693af44a1ae8c708ab94489 | refs/heads/main | 2023-09-03T23:56:44.719006 | 2023-09-01T15:16:37 | 2023-09-01T15:16:37 | 2,416,064 | 773 | 182 | MIT | 2023-09-14T17:54:53 | 2011-09-19T15:10:49 | Ruby | UTF-8 | PlantUML | false | false | 1,682 | puml | @startuml
allowmixing
hide empty description
hide empty members
skinparam dpi 300
class Document <<model>>
rectangle "Attachables" {
abstract Edition <<model>> {
state
}
class PolicyGroup <<model>>
rectangle "(others)" as othereds
Edition <|-- othereds #line:blue;line.bold
Edition <|-- Attachable #line:blue;line.bold
note on link: several Edition descendants are Attachable
PolicyGroup <|-- Attachable #line:blue;line.bold
abstract Attachable<<concern>>
}
rectangle "Attachments" {
together {
abstract Attachment <<model>>
class FileAttachment <<model>>
rectangle "(other attachments - html, external)" as otheratts
Attachment <|-- otheratts #line:blue;line.bold
Attachment <|-- FileAttachment #line:blue;line.bold
}
class AttachmentData <<model>> {
carrierwave_file
}
note right: only for file attachments!
Attachment --* AttachmentData
note on link: links to attachments from past editions as well
}
rectangle "Images" {
class Image <<model>>
class ImageData <<model>> {
carrierwave_file
}
Image --* ImageData
note on link: links to images from past editions as well
}
rectangle "Other models with assets" {
class Person <<model>> {
logo
}
note "several other similar\nmodels not shown" as N1
}
Edition *-- Image
Document *-- Edition
Attachable *-- Attachment
class Document {
{method} latest_edition
{method} live_edition
}
node AssetManager {
class Asset {
filename
legacy_url_path
state
}
}
AttachmentData ..* Asset: 1:many e.g. asset + thumbnail
ImageData ..* Asset: 1:many - multiple scaled versions
Person ..* Asset: 1:1 typically
@enduml
|
b0caafacc6c3982536036399555063c9fbda34bb | ad3cc5450c8e0d30e3ddbc36db6fbb053e8965fb | /projects/oodp/html/umlversion/sg/edu/ntu/scse/cz2002/util/FileIOHelper.puml | 9c94ac4aee986499e873a9ac1d77c011898c2a5b | [] | no_license | itachi1706/How-to-use-Git-NTUSCSE1819-Site | d6fcba79d906e9916c3961b11a6e1318d8a0f602 | dbce2f56b42e15be96bd40fd63e75389d397ca34 | refs/heads/master | 2021-07-12T15:24:44.197085 | 2020-08-01T12:31:23 | 2020-08-01T12:31:23 | 172,893,030 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 473 | puml | @startuml
class FileIOHelper [[../sg/edu/ntu/scse/cz2002/util/FileIOHelper.html]] {
{static} -init(): File
{static} +exists(name:String): boolean
{static} +createFolder(name:String): boolean
{static} +getFile(name:String): File
{static} +getFileBufferedReader(name:String): BufferedReader
{static} +getFileBufferedWriter(name:String): BufferedWriter
}
center footer UMLDoclet 1.1.3, PlantUML 1.2018.12
@enduml
|
a32e41c47ef7c8985bbf65c88ff2219c089b4845 | 36e8e37a895ba9b2666e81c1da40f7fd0580d37b | /out/production/DesignPatterns/javaLang/state/状态模式类图.puml | 1abce6b635461bb2f728811e4c082e6b3992e1ff | [] | no_license | xhSun9527/DesignPatterns | 0b08185780882a8e1b7e065c39a44e7c19838e17 | 1ed5099b9156853601e6b3a9cdf0c1d6090a6812 | refs/heads/master | 2023-02-01T06:22:45.580510 | 2020-12-17T08:55:19 | 2020-12-17T08:55:19 | 287,001,208 | 1 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 200 | puml | @startuml
interface State{
+ doSomething() : void
}
class ConStateA{
+ doSomething() : void
}
class ConStateB{
+ doSomething() : void
}
State <.. ConStateA
State <.. ConStateB
@enduml |
e4796a6770efbcdd457296bfa7571e45f0705426 | 372e13940be1f116c671dbb746617a331f06899e | /Assets/TPPackages/com.cocoplay.core/Documentation-/puml/Runtime/Singleton/Implement/MonoSingleton.puml | 45f2a5a51f343774d88b2846aad68bc978bf1538 | [] | no_license | guolifeng2018/CIGA-Game-Jam | 797734576510e27b5c5cee2eb17c1444f51d258c | fcd03e5579bef3bffe2cb51f52ba11a49a9cc02d | refs/heads/master | 2022-12-10T19:21:15.522141 | 2020-08-16T10:06:23 | 2020-08-16T10:06:23 | 285,986,041 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 254 | puml | @startuml
abstract class "MonoSingleton`2"<TSingleton,TProvider> {
+ {static} IsOnDestroying : bool <<get>>
+ {static} IsCreatedByProvider : bool <<get>>
+ {static} Instance : TSingleton <<get>>
}
MonoBehaviour <|-- "MonoSingleton`2"
@enduml
|
8a1e93fbc7e67b1bd9215c8e52ef0baa3cdc9332 | 63114b37530419cbb3ff0a69fd12d62f75ba7a74 | /plantuml/Library/PackageCache/com.unity.timeline@1.2.17/Editor/Manipulators/Sequence/SelectAndMoveItem.puml | 6eabc1a39ff1ba4d178ccb9e5ab5934de59e673f | [] | no_license | TakanoVineYard/AMHH | 215a7c47049df08c5635b501e74f85137b9e985b | 68887a313587a2934fb4ceb2994cbc2a2191d6a3 | refs/heads/master | 2023-01-13T02:08:02.787083 | 2020-11-17T14:51:57 | 2020-11-17T14:51:57 | 303,631,593 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 1,017 | puml | @startuml
class ClearSelection {
}
class ItemSelection <<static>> {
+ {static} CanClearSelection(evt:Event) : bool
+ {static} RangeSelectItems(lastItemToSelect:ITimelineItem) : void
+ {static} HandleSingleSelection(evt:Event) : ISelectable
+ {static} HandleItemSelection(evt:Event, item:ISelectable) : void
}
class SelectAndMoveItem {
m_Dragged : bool
m_HorizontalMovementDone : bool
m_VerticalMovementDone : bool
m_CycleMarkersPending : bool
+ <<override>> Overlay(evt:Event, state:WindowState) : void
HandleMarkerCycle() : bool
HandleSingleSelection(evt:Event) : bool
DropItems() : void
{static} GetTrackDropTargetAt(state:WindowState, point:Vector2) : TrackAsset
}
Manipulator <|-- ClearSelection
Manipulator <|-- SelectAndMoveItem
SelectAndMoveItem --> "m_SnapEngine" SnapEngine
SelectAndMoveItem --> "m_TimeAreaAutoPanner" TimeAreaAutoPanner
SelectAndMoveItem --> "m_MouseDownPosition" Vector2
SelectAndMoveItem --> "m_MoveItemHandler" MoveItemHandler
@enduml
|
4a7948017032d5587ea94850c87e087c6fadfe55 | 83a587c3c0059d7928d0d82a0b98cddea5e483c2 | /asciidocs/plantuml/cld2.puml | f0b5ea29c98f02377eba7e4e3030dc375e0a8472 | [] | no_license | 2122-5ahitm-sew/01-microproject-thoefler | 076302e3ea26b81d51770121ad5c48168987047a | a73ec96e83bd975b478d37e94ef2bb66c68c3533 | refs/heads/master | 2023-08-25T18:56:49.412621 | 2021-10-18T18:40:07 | 2021-10-18T18:40:07 | 408,422,857 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 786 | puml | @startuml
skinparam linetype polyline
class Artist {
- artistName: String
- firstName: String
- lastName: String
- monthlyListeners: int
}
class Album {
- name: String
- artist: Artist
- genre: String
- tracklist: List<Track>
}
class Track {
- title: String
- trackLength: LocalDate
- artist: Artist
}
class Tour {
- title: String
- tourStops: List<Concert>
}
class Concert {
- locationName: String
- performingArtist: Artist
- date: LocalDate
- adress: String
- capacity: int
}
Artist "1*" -right--> "1*" Album: has >
Artist "1" -left--> "1*" Track: has (single release) >
Artist "1" ---> "1*" Tour: performs >
Artist "1*" ---> "1*" Concert: performs >
Album "*" <--- "1" Track: is made of >
Tour "1" <-right-- "*" Concert: has >
@enduml
|
45f15ef84f96b0b7dc14cd68275e306cb486ff33 | 61f77755f3ca65fa0a0dfbbdc51137e01ded03fc | /design_model/src/main/resources/结构型模式/装饰模式/装饰模式.puml | c6dcadc770390e1aa14445a71cf1969803bdfe5c | [] | no_license | lyszhen3/myWeb | 670e02a585ea3193f6c388b9cea37969a94792dc | c1543ec5f48d84e6c6481a95e54b84f04654b323 | refs/heads/master | 2023-07-11T02:29:33.530130 | 2019-02-25T01:39:29 | 2019-02-25T01:39:29 | 78,835,228 | 0 | 1 | null | 2022-12-16T04:38:41 | 2017-01-13T09:31:45 | Java | UTF-8 | PlantUML | false | false | 518 | puml | @startuml
abstract class Component{
+{abstract} void operation();
}
abstract class Decorator{
+void operation();
}
class ConcreteComponent{
+void operation();
}
class ConcreteDecoratorA{
-addedState;
+void operation();
}
class ConcreteDecoratorB{
+void operation();
+void addedBehavior();
}
note left:super.operation();\naddBehavior();
ConcreteComponent -right--|>Component
Decorator -up-|>Component
Decorator o-up->Component:component
ConcreteDecoratorA -up-|>Decorator
ConcreteDecoratorB -up-|>Decorator
@enduml |
e48ced8142055163d5c8385efe7a8a630a649422 | 37541e11c08c0a3278cd6726263e0786473caad8 | /src/strategy/strategy.puml | 8569657c4a4cdb6dba898e48df4c55f2f11ed5e8 | [] | no_license | whitehole-Z/design-modal | 3b13a05559fb96ec1ad1ea0bbf3ac79767d90ec8 | 956d1894df7c378d08789b2b92f7ea0113896601 | refs/heads/main | 2023-04-17T17:00:09.425226 | 2021-04-02T09:26:38 | 2021-04-02T09:26:38 | 353,216,165 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 559 | puml | @startuml
together {
class Client
interface Compartor<T>{
void compare(T t1,T t2)
}
}
together {
class dogHeightCompartor<Dog>{
void compare(Dog t1,Dog t2)
}
class dogWeightCompartor<Dog>{
void compare(Dog t1,Dog t2)
}
class Dog
}
class dogHeightCompartor
class dogWeightCompartor
class sort{
void sortitem(T[] items,Compartor)
}
Compartor <|-- dogHeightCompartor
Compartor <|-- dogWeightCompartor
sort o-- Compartor
Client - Compartor
dogHeightCompartor o-- Dog
dogWeightCompartor o-- Dog
@enduml |
19664aea93ea3c28e161944a26b6d80a70ad3d28 | a9f5d6adab56c3085c88fbbf2806f7d8550d3ac4 | /Ver5_Building/src/MainCode/InSetData/InSetData.plantuml | 707647f8c1109ef412bbee85943c4f881f8555c3 | [] | no_license | DoanHau2k/JavaFx_ClusterSort_2020 | 066c4f40632868804ebfa7537ba142d2a4e0d5c3 | 4c44b681ca95bbce2055a81b009d75d7853e9658 | refs/heads/main | 2023-06-21T00:14:58.349132 | 2021-07-30T05:17:56 | 2021-07-30T05:17:56 | 390,939,524 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 524 | plantuml | @startuml
title __INSETDATA's Class Diagram__\n
namespace MainCode {
namespace InSetData {
class MainCode.InSetData.Node {
- nameOfNode : String
+ Node()
+ getNameOfNode()
+ setNameOfNode()
}
}
}
MainCode.InSetData.Node -up-|> javafx.scene.shape.Circle
right footer
PlantUML diagram generated by SketchIt! (https://bitbucket.org/pmesmeur/sketch.it)
For more information about this tool, please contact philippe.mesmeur@gmail.com
endfooter
@enduml
|
953a015fe5370eb07f08372d6171776c755f7460 | 13866f2bb9eb47279a4d042dd9d280f90eba5254 | /design/old/클래스 다이어그램.puml | 4351d3eb1a6cdc08f32e3bdc1347bf9d9522ddec | [] | no_license | kkojaeh/pico-erp-docs | 13e6475d5a32fbc843364174da29bd7d7cf7c67f | dff4a6f02746179358b07e5706ba1051ded20abd | refs/heads/master | 2020-03-16T20:49:49.734321 | 2018-09-28T01:55:15 | 2018-09-28T01:55:15 | 132,974,359 | 1 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 3,251 | puml | @startuml
class "사용자[User]"{
username - 아이디
displayName - 표시이름
email - 이메일
mobileNumber - 핸드폰 번호
password - 암호
}
class "업체[Company]"{
code - 아이디 코드[3자리영문]
name - 이름
registrationNumber - 사업자등록번호[or DUNS Number]
}
class "품목[Item]"{
id - 아이디
code - 코드
externalCode - 외부코드
name - 품목명
spec - 스펙
price - 단가
attachment - 첨부파일
barCode - 바코드
materialItems - 자재 아이템들
createdDate - 생성일
createdBy - 생성자
lastModifiedDate - 최종수정일
lastModifiedBy - 최종수정자
remainQuantity - 수량
histories - 변경내역
processes - 공정
lot - LOT 여부
}
class "발주[Order]"{
id - 아이디
status - 상태
deliveryDate - 납기일
releaseRequestDate - 출고요청일
workDueDate - 작업 만기일
orderAmount - 발주금액(?)
histories - 변경내역
}
class "발주품목[OrderItem]"{
id - 아이디
order - 발주
item - 품목
status - 상태
unit - 단위
quantity - 수량
extraQuantity - 여분수량[화면에 퍼센트 표시]
totalQuantity - 전체수량
resultQuantity - 결과수량
price - 단가[당시 품목의 단가]
remark - 비고
}
class "납품[Delivery]"{
id - 아이디
status - 상태
deliveryRequestDate - 납품요청일
deliveryLocation - 인도장소
createdDate - 생성일
createdBy - 생성자
}
class "납품품목[DeliveryItem]"{
delivery - 납품
item - 품목
quantity - 수량
}
class "변경내역[History]"{
comment - 내용
reason - 사유
createdDate - 생성일
createdBy - 생성자
}
class "작업지시[WorkOrder]"{
id - 아이디
orderItem - 발주품목[발주에 의해 생성]
item - 품목
remark - 비고
createdDate - 생성일
createdBy - 생성자
}
class "작업지시자재[WorkOrderMaterialItem]"{
item - 품목
quantity - 수량
availableDate - 사용가능 일자
}
interface "공정[ProcessType]"{
quantity - 수
}
interface "공정이행[ProcessExecution]"{
}
class "인쇄공정[PrintingProcess]"{
}
class "출력공정[OutputProcess]"{
}
class "코팅공정[CoatingProcess]"{
}
class "금/은박 및 형압공정[FoilOrPressProcess]"{
}
class "합지공정[LaminatingProcess]"{
}
class "톰슨공정[TomsonProcess]"{
}
class "접착공정[PrintingProcess]"{
}
class "기타공정[PrintingProcess]"{
}
"공정[ProcessType]" <|- "인쇄공정[PrintingProcess]"
"공정[ProcessType]" <|- "출력공정[OutputProcess]"
"공정[ProcessType]" <|- "코팅공정[CoatingProcess]"
"공정[ProcessType]" <|- "금/은박 및 형압공정[FoilOrPressProcess]"
"공정[ProcessType]" <|- "합지공정[LaminatingProcess]"
"공정[ProcessType]" <|- "톰슨공정[TomsonProcess]"
"공정[ProcessType]" <|- "접착공정[PrintingProcess]"
"공정[ProcessType]" <|- "기타공정[PrintingProcess]"
"품목[Item]" --> "변경내역[History]"
"발주[Order]" --> "변경내역[History]"
enum "코팅종류[CoatingProcessKind]"{
"CR 코팅[CR]"
"수성코팅[Water]"
}
enum "출력종류[OutputProcessKind]"{
"CTP[CTP]"
}
enum "금/은박 및 형압공정종류[FoilOrPressProcess]"{
}
@enduml
|
f3aef539ace44e999f653db12242e18057630b68 | 85f2e796c6c71b5b9e705ba14bc028484d80717a | /src/docs/abstractfactory_pattern.puml | 8aa0978de1e7e2e789bc983dee68301149e55929 | [] | no_license | cutem-0104/DesignpatternIntroduction | c6c52ce18f9e8290e7ef2320938cf314ebce8b50 | 9786b90ac9eb12733785aa96d4d6f41264046e91 | refs/heads/master | 2020-03-22T03:58:16.979520 | 2018-07-02T15:50:06 | 2018-07-02T15:50:06 | 139,463,949 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 1,097 | puml | @startuml
package factory {
abstract Item {
caption
{abstract}makeHTML()
}
abstract Link {
url
{abstract}nakeHTML()
}
abstract Tray {
tray
add()
{abstract}makeHTML()
}
abstract Page {
title
author
add()
output()
{abstract}makeHTML()
}
abstract Factory {
getFactory()
{abstract}createLink()
{abstract}createTray()
{abstract}createPage()
}
}
package listfactory {
class ListLink {
makeHTML()
}
class ListTray {
makeHTML()
}
class ListPage {
makeHTML()
}
class ListFactory {
createLink()
createTray()
createPage()
}
}
Link -u-|> Item
Tray -u-|> Item
Tray o-u-> Item
Factory -u-> Link: Creates
Factory -u-> Tray: Creates
Factory -u-> Page: Creates
ListLink -l-|> Link
ListTray -l-|> Tray
ListPage -l-|> Page
ListFactory --|> Factory
ListFactory -u-|> ListLink: Creates
ListFactory -u-|> ListTray: Creates
ListFactory -u-|> ListPage: Creates
@enduml |
e467f7415a7288e4b7e0470644e1ed9344fa958b | 372d0fe94d7e59fd48620c687fee8fc94841408b | /deadheat-lock-example/microservices-example/searching-service/src/main/java/com/vrush/microservices/searching/utils/utils.plantuml | 6ac5157d43a3e081247c9db204a0e5ce14c22538 | [
"Apache-2.0"
] | permissive | vrushofficial/deadheat-lock | 4ae44e23fea2ad57db17aadeba58e39ef4f63822 | 11c516a2ca0e58dd2d6b2ef8c54da0975fcbe5d2 | refs/heads/main | 2023-01-14T17:28:38.161881 | 2020-11-29T11:11:55 | 2020-11-29T11:11:55 | 310,531,739 | 2 | 1 | null | 2020-11-19T08:16:25 | 2020-11-06T08:06:52 | CSS | UTF-8 | PlantUML | false | false | 440 | plantuml | @startuml
title __UTILS's Class Diagram__\n
namespace com.vrush.microservices.searching {
namespace utils {
class com.vrush.microservices.searching.utils.DateUtils {
{static} + getDatesBetween()
}
}
}
right footer
PlantUML diagram generated by SketchIt! (https://bitbucket.org/pmesmeur/sketch.it)
For more information about this tool, please contact philippe.mesmeur@gmail.com
endfooter
@enduml
|
90e733c08f73b0d4cba21313be2b478e0c2816f8 | fb9f015ea244a23ad59b1bfc35087ca3aec360b3 | /docs/game-ai.puml | 989def1fa377605a60f144b7edb4dbaf50c270af | [] | no_license | binu-manoharan/CGBF | 3ba67e46bdc5cae3f585bc6e22bfd0cdc805ddfd | 8c6c3ae14637b5bcedda40b4a16137db209f278e | refs/heads/master | 2021-01-21T14:58:10.211728 | 2016-06-24T21:41:15 | 2016-06-24T21:41:15 | 57,466,039 | 1 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 607 | puml | @startuml
hide empty fields
hide empty method
class GameManager {
- Board board
- GameAI gameAI
- BlockQueue[] BlockQueue;
}
class BlockQueue {
- Blocks[] block
}
class Block {
- Cells[] cells
}
interface IGameAI {
+ scorePossibleMoves()
+ calculateNextMove()
}
abstract class GameAI extends IGameAI {
- Aggression aggression
}
class A-GameAI extends GameAI {
}
class B-GameAI extends GameAI {
}
enum Aggression {
PASSIVE
BLOCKED
NEUTRAL
GREEDY
}
GameAI ..r> Aggression
GameManager --r> GameAI
GameManager --> BlockQueue
BlockQueue --> Block
@enduml |
9382a70571d717635fb2ff16f43ba15c49b83f9b | bf49d55ccb1e5a55ad63de65366e8874f2258d94 | /Digital_House-Certified_Tech_Developer/Backend_I/Responsability_chain_pattern/Sistema_de_créditos/src/Sistema_Crédito_Bancario.puml | 33329a44c2d6bfc6eecb004828411c73e806abb6 | [] | no_license | hfelipeserna/hfelipeserna.github.io | 339f18c116db2738c3e093b748f7c9d746ad1eb5 | 9b643803f672bf4b34add22644919198e50da06d | refs/heads/main | 2023-09-03T19:09:33.411053 | 2021-10-26T14:23:59 | 2021-10-26T14:23:59 | 359,453,237 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 1,473 | puml | @startuml
'https://plantuml.com/class-diagram
'___________STYLES___________
title UML - Sistema para el área de créditos de un banco
skinparam classAttributeIconSize 0
skinparam backgroundColor White
skinparam RoundCorner 10
skinparam Shadowing true
skinparam class {
ArrowColor Black
BackgroundColor White
HeaderBackgroundColor Gray
BorderColor Black
FontColor White
FontSize 14
AttributeFontSize 12
}
skinparam object{
ArrowColor Black
BackgroundColor White
BorderColor Black
FontColor Black
FontSize 14
AttributeFontSize 12
}
skinparam note {
BackgroundColor LightYellow
BorderColor Black
}
'___________UML___________
abstract EmpleadoBanco {
- siguienteEmpleadoBanco: EmpleadoBanco
- cargo: String
+{abstract}procesarSolicitud(Integer monto)
+getSiguienteEmpleadoBanco(): EmpleadoBanco
+setSiguienteEmpleadoBanco(EmpleadoBanco siguienteEmpleadoBanco)
+getCargo(): String
+setCargo()
}
class EjecutivoDeCuenta {
+procesarSolicitud(Integer monto)
}
class Director {
+procesarSolicitud(Integer monto)
}
class Gerente {
+procesarSolicitud(Integer monto)
}
class CadenaDeManejadores {
-manejadorInicial: EmpleadoBanco
+CadenaDeManejadores()
+getManejadorInicial(): EmpleadoBanco
+setManejadorInicial(EmpleadoBanco manejadorInicial)
}
EmpleadoBanco <- EmpleadoBanco
EmpleadoBanco <|-- EjecutivoDeCuenta
EmpleadoBanco <|-- Gerente
EmpleadoBanco <|-- Director
CadenaDeManejadores .> EmpleadoBanco
@enduml |
bcc2b59c70dac91a5b16d3e3216556d23a9dabf2 | f00fdaecb9a63f30c2e78ca4f7f1011ba1425a66 | /src/Areas/Areas.plantuml | b3fb60e9323df5d2c15c2f6aa9cac7de3b8d5315 | [] | no_license | Projectgroep-HHS-2019/Hotelsimulation2019 | efd34cd9b9335b1b219af91d5b7ca9b56bee63ab | 66575addd0233aaae6ddf37a5fd33afa671f1ce0 | refs/heads/master | 2020-07-25T02:03:59.653273 | 2019-12-20T09:17:20 | 2019-12-20T09:17:20 | 208,125,062 | 1 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 1,715 | plantuml | @startuml
title __AREAS's Class Diagram__\n
namespace Areas {
abstract class Areas.Area {
{static} + areaList : List<Area>
+ areaType : String
+ available : boolean
+ capacity : long
+ dimensionW : int
+ distance : int
+ id : int
+ neighbours : HashMap<Area, Integer>
+ stars : int
# dimensionH : int
# imageLocation : String
# roomImage : Image
# roomImageView : ImageView
# x : int
# y : int
{static} + getAreaList()
# createSprite()
}
}
namespace Areas {
class Areas.Cinema {
+ Cinema()
+ startMovie()
+ stopMovie()
}
}
namespace Areas {
class Areas.Elevator {
+ Elevator()
}
}
namespace Areas {
class Areas.Fitness {
+ Fitness()
}
}
namespace Areas {
class Areas.HotelRoom {
+ HotelRoom()
+ getImageForStars()
}
}
namespace Areas {
class Areas.Lobby {
+ Lobby()
}
}
namespace Areas {
class Areas.Restaurant {
+ Restaurant()
}
}
namespace Areas {
class Areas.Stairway {
+ Stairway()
}
}
Areas.Area o-- Areas.Area : latest
Areas.Cinema -up-|> Areas.Area
Areas.Elevator -up-|> Areas.Area
Areas.Fitness -up-|> Areas.Area
Areas.HotelRoom -up-|> Areas.Area
Areas.Lobby -up-|> Areas.Area
Areas.Restaurant -up-|> Areas.Area
Areas.Stairway -up-|> Areas.Area
right footer
PlantUML diagram generated by SketchIt! (https://bitbucket.org/pmesmeur/sketch.it)
For more information about this tool, please contact philippe.mesmeur@gmail.com
endfooter
@enduml
|
72a3881bb4a4675da953ca622cf8e3c94413deb6 | 015af2febe164b9667ae91319080ed064c132b0e | /kms/config-service/src/test/java/com/uwaterloo/iqc/configservice/configservice.plantuml | 3c57c7ca10926a96d2f4d764fa7171ddff2fa885 | [
"MIT"
] | permissive | crazoter/qkd-net | fb247b3a122821451a64ea587619926d9571444c | 182860ec031bf066fd3a9fa60d6d3629b4d37899 | refs/heads/master | 2022-08-25T23:32:53.109504 | 2020-05-20T02:25:20 | 2020-05-20T02:25:20 | 263,811,400 | 1 | 0 | null | 2020-05-14T04:05:04 | 2020-05-14T04:05:04 | null | UTF-8 | PlantUML | false | false | 412 | plantuml | @startuml
title __CONFIGSERVICE's Class Diagram__\n
namespace com.uwaterloo.iqc.configservice {
class com.uwaterloo.iqc.configservice.ConfigServiceApplicationTests {
+ contextLoads()
}
}
right footer
PlantUML diagram generated by SketchIt! (https://bitbucket.org/pmesmeur/sketch.it)
For more information about this tool, please contact philippe.mesmeur@gmail.com
endfooter
@enduml
|
831e05c04a6db5483e4bdf92defd84cdcb394011 | 8e4fc7e0c3b6a8fa3a9d99403aa14bf6b9374401 | /lib/UML/main.puml | bd886cd5dcca1c5146a2715ed1fedc976710ecb1 | [] | no_license | Dariusz-Pluta/Locato | 5acff50930b68616bf232374c7322bfe1d484b7f | 2611a960ae69638aa9af2222dc254a32b2ec7619 | refs/heads/master | 2022-10-23T10:32:21.820239 | 2020-06-20T10:27:26 | 2020-06-20T10:27:26 | null | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 1,368 | puml | @startuml
set namespaceSeparator ::
class "flutter::src::widgets::framework.dart::StatefulWidget" #Green
class "flutter::src::widgets::framework.dart::State<StatefulWidget>" #MediumSpringGreen
class "flutter::src::widgets::framework.dart::GlobalKey<FormState>" #DarkRed
class "flutter::src::widgets::framework.dart::State<T>" #SteelBlue
class "flutter::src::widgets::framework.dart::StatelessWidget" #Tomato
class "Locato::main.dart::MyApp" {
+Widget build()
}
"flutter::src::widgets::framework.dart::StatelessWidget" <|-[#Tomato]- "Locato::main.dart::MyApp"
class "Locato::main.dart::HomePage" {
+_HomePageState createState()
}
"flutter::src::widgets::framework.dart::StatefulWidget" <|-[#Green]- "Locato::main.dart::HomePage"
class "Locato::main.dart::_HomePageState" {
-TabController _tabController
-PageController _pageController
+bool pageCanChange
+void initState()
+Widget build()
+dynamic onPageChange()
}
"Locato::main.dart::_HomePageState" o-- "flutter::src::material::tab_controller.dart::TabController"
"Locato::main.dart::_HomePageState" o-- "flutter::src::widgets::page_view.dart::PageController"
"flutter::src::widgets::framework.dart::State<T>" <|-[#SteelBlue]- "Locato::main.dart::_HomePageState"
"flutter::src::widgets::ticker_provider.dart::SingleTickerProviderStateMixin<T>" <|-- "Locato::main.dart::_HomePageState"
@enduml |
d305e4e267cd36a3a94a934e3e5dfc60994ea21a | 3e2b65d67e559be5146da26bd3549aabf92d368c | /docs/eml_model.puml | bc9c41e0087d3f4681e6e9f3aad3993d8261a7f4 | [
"Apache-2.0"
] | permissive | mobb/metapype-eml | 30ab6f31d79c199739814792175c90109bc12776 | b5b727b0a9336738961a32bb1ca9b9d8eae534ab | refs/heads/master | 2021-05-18T07:38:59.969601 | 2019-06-04T22:20:55 | 2019-06-04T22:20:55 | 251,183,115 | 0 | 0 | Apache-2.0 | 2020-03-30T02:38:30 | 2020-03-30T02:38:29 | null | UTF-8 | PlantUML | false | false | 2,184 | puml | @startuml
class eml {
name: 'eml'
attributes: {'packageId':'edi.23.1', 'system':'metapype'}
content: None
parent: None
children: [access, dataset]
}
class access {
name: 'access'
attributes: {'authSystem':'pasta', 'order':'allowFirst'}
content: None
parent: eml
children: [allow]
}
class allow {
name: 'allow'
attributes: {}
content: None
parent: access
children: [principal, permission]
}
class principal {
name: 'principal'
attributes: {}
content: 'uid=gaucho,o=EDI,dc=edirepository,dc=org'
parent: allow
children: []
}
class permission {
name: 'permission'
attributes: {}
content: 'all'
parent: allow
children: []
}
class dataset {
name: 'dataset'
attributes: {}
content: None
parent: eml
children: [title, creator, contact]
}
class title {
name: 'title'
attributes: {}
content: 'Green sea turtle counts: Tortuga Island 2017'
parent: dataset
children: []
}
class creator {
name: 'creator'
attributes: {}
cotent: None
parent: dataset
children: [individualName_creator]
}
class contact {
name: 'contact'
attributes: []
content: None
parent: dataset
children: [individualName_contact]
}
class individualName_contact {
name: 'individualName'
attributes: {}
contents: None
parent: creator
children: [surName_contact]
}
class surName_contact {
name: 'surName'
attributes: {}
contents: 'Gaucho'
parent: individualName_contact
children: []
}
class individualName_creator {
name: 'individualName'
attributes: {}
contents: None
parent: creator
children: [surName_creator]
}
class surName_creator {
name: 'surName'
attributes: {}
contents: 'Gaucho'
parent: individualName_creator
children: []
}
eml <--> access
eml <--> dataset
access <--> allow
allow <--> principal
allow <--> permission
dataset <--> title
dataset <--> creator
creator <--> individualName_creator
individualName_creator <--> surName_creator
dataset <--> contact
contact <--> individualName_contact
individualName_contact <--> surName_contact
@enduml |
57676f5cc3c2315247e13bef203bdb3247547bdd | a4272e3f7c60bafe68b715899c1898a49830692b | /uml.plantuml | d64260fa6b04364b0ef8a17f0605b559bcbb1c08 | [] | no_license | RNubla/Tesla-Flutter-Clone | c8ac134b34ce0965cf3d5517597e94972ef49b90 | 8ecbdf6b2a1c3b98c9593bbd53199707a6bb4930 | refs/heads/main | 2023-03-06T06:45:00.368152 | 2021-02-18T17:18:51 | 2021-02-18T17:18:51 | 340,119,444 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 48 | plantuml | @startuml windowapp
class server{
}
@enduml |
383fca0e44bdb5338804a6951f1251e4eada12e1 | c7345e58606d4f4e9b9ae22e2e50a8756b4ce8b1 | /src/main/java/Class.puml | ee262013669163a430f6a6f2961d78fdad8485fd | [] | no_license | MontgomeryJukebox/Santamaria-cop3330-assignment3 | 2792dd1ce71f92a1590964d8750ecbe8a1c77378 | 4a8ff5fbcf793e9c4cde7d7381c679afeb8db4f6 | refs/heads/master | 2023-05-31T21:04:10.083533 | 2021-06-21T03:39:24 | 2021-06-21T03:39:24 | 376,951,506 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 809 | puml | @startuml
'https://plantuml.com/class-diagram
class Gradebook {
Assignments: List
addStudent()
removeStudent()
lookupStudentGrades()
getAssignmentAverage()
getAssignmentScoreRange()
getAssignmentScoreMax()
getAssignmentScoreMin()
getAssignmentScoreStd()
}
class Assignment {
Students: List
pointValue: Double
title: String
dueDate: Date
getMaxScore()
setMaxScore()
getStudentScore(Student)
}
class TimedAssignments {
Students: List
maxScore: Double
title: String
dueDate: Date
timeLimit: pointValue
getMaxScore()
setMaxScore()
getStudentScore(Student)
}
class Student {
AssignmentScores: Map<Assignment, Double>
}
Gradebook o--> Student
Student o--> Assignment
Assignment <|-- TimedAssignment
@enduml |
ab8834395e2b2b3f8d14ef972614eddf7da102e9 | d538b5a6525289e8d504e5d2f7abc53a3b84558d | /theather.plantuml | 8e259e4fdcc72512a300584796504b418230aa58 | [] | no_license | Lucas-Meira/theater | cfcc3d3d9ec3e8cce2faf4a08b0ed2d73b225c0b | f06d4f2008cefe62e8b5d90e57cff3dbc6ed1e13 | refs/heads/master | 2023-08-16T07:32:35.119449 | 2021-10-17T23:51:17 | 2021-10-17T23:51:17 | null | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 3,594 | plantuml | @startuml Theater
skinparam linetype ortho
skinparam TitleFontSize 48
skinparam TitleFontStyle bold
title Theater
frame Presentation {
class PageHandler {
+PageHandler(services : ServicesInterface)
+handle()
+clearScreen()
+print(message : string)
+renderMenu(options : vector<string>) : unsigned int
+readInput() : string
+getServices(): ServicesInterface
}
}
frame Services {
interface ServicesInterface {
+ServicesInterface(participantHandler : ParticipantInterface, playHandler : PlayInterface, roomHandler : RoomInterface, sessionHandler : SessionInterface)
+getParticipantHandler() : ParticipantInterface
+getPlayHandler() : PlayInterface
+getRoomHandler() : RoomInterface
+getSessionHandler() : SessionInterface
}
interface ParticipantInterface {
{abstract} +create(participant : Participant) : SQLResult
{abstract} +remove(registration : Registration) : SQLResult
{abstract} +search(registration : Registration) : SQLResult
{abstract} +list() : SQLResult
{abstract} +update(participant : Participant) : SQLResult
{abstract} +authenticate(registration : Registration, password : Password) : map<string, string>
}
interface PlayInterface {
{abstract} +create(play : Play) : SQLResult
{abstract} +remove(id : IdCode) : SQLResult
{abstract} +search(id : IdCode) : SQLResult
{abstract} +list() : SQLResult
{abstract} +update(play : Play) : SQLResult
}
interface RoomInterface {
{abstract} +create(room : Room) : SQLResult
{abstract} +remove(id : IdCode) : SQLResult
{abstract} +search(id : IdCode) : SQLResult
{abstract} +list() : SQLResult
{abstract} +update(room : Room) : SQLResult
}
interface SessionInterface {
{abstract} +create(session : Session, playId : IdCode, roomId : IdCode) : SQLResult
{abstract} +remove(id : IdCode) : SQLResult
{abstract} +search(id : IdCode) : SQLResult
{abstract} +list() : SQLResult
{abstract} +update(session : Session, playId : IdCode, roomId : IdCode) : SQLResult
}
class ParticipantHandler {
+create(participant : Participant) : SQLResult
+remove(registration : Registration) : SQLResult
+search(registration : Registration) : SQLResult
+list() : SQLResult
+update(participant : Participant) : SQLResult
+authenticate(registration : Registration, password : Password) : map<string, string>
}
class PlayHandler {
+create(play : Play) : SQLResult
+remove(id : IdCode) : SQLResult
+search(id : IdCode) : SQLResult
+list() : SQLResult
+update(play : Play) : SQLResult
}
class RoomHandler {
+create(room : Room) : SQLResult
+remove(id : IdCode) : SQLResult
+search(id : IdCode) : SQLResult
+list() : SQLResult
+update(room : Room) : SQLResult
}
class SessionHandler {
+create(session : Session, playId : IdCode, roomId : IdCode) : SQLResult
+remove(id : IdCode) : SQLResult
+search(id : IdCode) : SQLResult
+list() : SQLResult
+update(session : Session, playId : IdCode, roomId : IdCode) : SQLResult
}
}
frame DB {
class DBHandler {
{static} +getInstance() : DBHandler;
+execute(query : string) : SQLResult;
+execute(query : stringstream) : SQLResult;
}
}
PageHandler --|> ServicesInterface
ServicesInterface *-- ParticipantInterface
ServicesInterface *-- PlayInterface
ServicesInterface *-- RoomInterface
ServicesInterface *-- SessionInterface
ParticipantInterface <|.. ParticipantHandler : "Implements"
PlayInterface <|.. PlayHandler : "Implements"
RoomInterface <|.. RoomHandler : "Implements"
SessionInterface <|.. SessionHandler : "Implements"
ParticipantHandler ..|> DBHandler
PlayHandler ..|> DBHandler
RoomHandler ..|> DBHandler
SessionHandler ..|> DBHandler
@enduml
|
67c522ca8330dd18bb2c1b523d7c58cbd382286d | 1f1ceedff0ac7ccc3e78c39481a1df35b0a23029 | /classDiagram.plantuml | be62cfeb5a2d60f462765bb064c3dc5e4c3d5a9f | [] | no_license | akarsh27/Ride-Sharing-Application | 20977b039c7f3671f3d69ab8baa37de76f233c9e | c08d83eb8c101a2eaef07b2476d6290e9e21736d | refs/heads/main | 2023-02-01T13:17:54.164953 | 2020-12-20T05:05:41 | 2020-12-20T05:05:41 | 322,994,325 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 2,134 | plantuml | @startuml classDiagram
skinparam BackgroundColor #CAE1FF
skinparam ClassBackgroundColor #f0ffff
skinparam ClassBorderColor #000033
skinparam ObjectBackgroundColor white
skinparam ObjectBorderColor #000033
skinparam ArrowColor #191970
skinparam Linetype ortho
class authentication{
+ userName
- password
+google()
+facebook()
+email()
+phoneNo()
}
class myAccount{
+name
+contactNo
+email
+alternativeContactNo
-displayVerificationStatus()
}
class rideTaker{
+pickupAddress
+destinationAddress
+pickupTime
+showNearbyRideGivers()
+selectRide()
+calculateFare()
}
class rideGiver{
+startAddress
+endAddress
+offerRideTime
+startRide()
+showNearbyRideTakers()
+endRide()
+updateRideInfo()
+ deleteUserBooking()
}
class myProfile extends myAccount{
-drivingLicence
-aadharCard
-PAN
+profilePicture()
-verifyID()
-addGovernmentID()
-verifyImage()
-verifyEmailID()
}
class myPayments extends myAccount{
-googlePay
-paytm
-ewallet
-cash
-debitCard
-creditCard
-updatePayment()
}
class myVehicles extends myAccount{
+vehicleNo
+model
+color
+noOfSeats
+vehicleImage
+addCar()
+addBike()
+getCar()
+getBike()
+update()
}
class myRides extends myAccount{
+ratings
+totalRides()
+totalRidesAsRider()
+totalRidesAsPassenger()
}
class notification{
-contacts
-groups
-callHistory
-notificationBell
-chats()
}
class settings{
-changeemail()
-changeContactNo()
-addAlternateContactNo()
-changePassword()
+suspendAccount()
+setHomeLocation()
+setOfficeLocation()
+notification()
+security()
-signOut()
}
object booking{
#status
#notifyUser()
-updateRideInfo()
-displayRideInfo()
-cancelBooking()
}
object rideInfo{
+location
+vehicleInfo
+availableSeats
+contactDetails
}
rideTaker "1..*" *- "1..*" rideInfo : booked ride
rideTaker "0..1" --o "1" myAccount
rideGiver "0..*" o-- "1" myAccount
settings --* myAccount
booking "1..*" --* "1..*" rideTaker : booked ride
booking "1..*" --* "1..*" rideGiver : booked ride
notification "0..*" --o "1" myAccount
authentication "1..4" -- "1" myAccount : signIn/signUp
@enduml |
280d3150daa3f72bcf0ff4fbadb8c06154641f35 | 5c3f44ee4a5b8b51c72d2f328468b1c1591107ed | /UML.puml | 71a510b1e041d16dbaa6c708c5bcb61194cb6b94 | [] | no_license | omri143/Fighting-Robot-College-Project | 7f48e946bf2309e41a2e00291888ea6da15ff522 | e2c3edd7cc44860ec3412eaef7c45c1dd2f667b1 | refs/heads/master | 2023-04-24T17:33:57.879579 | 2021-05-06T20:00:26 | 2021-05-06T20:00:26 | 365,017,194 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 2,369 | puml | @startuml
skinparam defaultFontName Segoe UI
skinparam defaultFontSize 20
class com.app.robot.dialogs.HitDialog extends androidx.appcompat.app.AppCompatDialogFragment {
+ <size:15>Dialog onCreateDialog(Bundle)
}
class com.app.robot.fragments.LaserControlFragment extends androidx.fragment.app.Fragment implements android.view.View.OnTouchListener,android.view.View.OnClickListener,android.view.View.OnCheckedChangeListener, com.google.firebase.database.ValueEventListener{
- <size:15>DatabaseReference laser
- <size:15>DatabaseReference laser_ctrl
- <size:15>ToggleButton toggleButton
- <size:15>TextView textView
- <size:15>TextView textViewDirection
- <size:15>TextView xDisplay
- <size:15>int x_angle
- <size:15>int y_angle
+ <size:15>View onCreateView(LayoutInflater,ViewGroup,Bundle)
+ <size:15>boolean onTouch(View,MotionEvent)
+ <size:15>void onCheckedChanged(CompoundButton,boolean)
+ <size:15>void onDataChange(DataSnapshot)
+ <size:15>void onCancelled(DatabaseError)
+ <size:15>void onClick(View)
- <size:15>void initServos(int,int)
- <size:15>void updateDisplay(int,int)
- <size:15>void rotateXServo(boolean,View)
- <size:15>void rotateYServo(boolean,View)
}
class com.app.robot.fragments.MotorsControlFragment extends androidx.fragment.app.Fragment implements android.view.View.OnTouchListener {
- <size:15>TextView speedView
- <size:15>DatabaseReference motorNode
+ <size:15>View onCreateView(LayoutInflater,ViewGroup,Bundle)
+ <size:15>boolean onTouch(View,MotionEvent)
- <size:15>void writeToMotors(boolean,boolean,boolean,boolean)
}
class com.app.robot.main.MainActivity extends androidx.appcompat.app.AppCompatActivity implements com.google.firebase.database.ValueEventListener,com.google.android.material.tabs.TabLayout.OnTabSelectedListener {
- <size:15>DatabaseReference laser_hit
- <size:15>HitDialog hitDialog
- <size:15>ViewPager2 viewPager2
# <size:15>void onCreate(Bundle)
+ <size:15>void onDataChange(DataSnapshot)
+ <size:15>void onCancelled(DatabaseError)
- <size:15>void openDialog()
+ <size:15>void onTabSelected(TabLayout.Tab)
+<size:15> void onTabUnselected(TabLayout.Tab)
+ <size:15>void onTabReselected(TabLayout.Tab)
}
class com.app.robot.adapters.PageViewAdapter extends androidx.viewpager2.adapter.FragmentStateAdapter {
~ <size:15>int numOfFragments
+ <size:15>Fragment createFragment(int)
+ <size:15>int getItemCount()
}
@enduml |
a31ef383633d97cc7a58378d27c8b1b336453174 | acf7651004c582800870596e65222cbca81d136d | /umlDiagrams/Facturacion.puml | b3a6f6a82ea99ba10ad38f19aec136a2cf43b76a | [] | no_license | marcopgordillo/springboot-backend-apirest | ba23c7dafc7013debf801ebbd0ee08b69f56149c | 818dc8d5f768cb29c882511a8a6f41caa3849766 | refs/heads/master | 2020-04-08T09:49:10.253625 | 2019-02-08T15:29:24 | 2019-02-08T15:29:24 | 159,241,078 | 0 | 0 | null | 2018-11-30T14:23:45 | 2018-11-26T22:25:02 | Java | UTF-8 | PlantUML | false | false | 905 | puml | @startuml
+class Cliente <<Serializable>> {
-id: Long
-nombre: String
-apellido: String
-email: String
-createAt: Date
-facturas: List<Factura>
.. Getter ..
.. Setter ..
}
+class Factura <<Serializable>> {
-- private data --
-id: Long
-folio: Integer
-descripcion: String
-observacion: String
-fecha: Date
-cliente: Cliente
-items: List<ItemFactura>
-- public methods --
+calcularTotal(): Long
.. Getter ..
.. Setter ..
}
+class ItemFactura <<Serializable>> {
-- private data --
-id: Long
-cantidad: Integer
-producto: Producto
-- public methods --
+getImporte(): Double
.. Getter ..
.. Setter ..
}
+class Producto <<Serializable>> {
-nombre: String
-precio: Double
.. Getter ..
.. Setter ..
}
Cliente o-- Factura
Factura *-- ItemFactura
ItemFactura --> Producto
@enduml
|
f77552fa8e2489fcc35b3707ce2263e4ffc15bb7 | 00a0db230ccaf662d677da01a53ae1d9b37a02e0 | /app/src/main/java/com/windcake/aidllearn/BinderLearn.puml | 65928c5609610de0c02059b02e91933d34eb961b | [] | no_license | windcake/AIDLLearn | 471625c937fc7ca8aa18a291de86ccb00f00761a | aa635b7e99c62fd2ad81d1bf84dafcbe74da02c7 | refs/heads/master | 2021-05-03T11:04:48.885806 | 2018-02-07T11:54:14 | 2018-02-07T11:54:14 | 120,545,562 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 446 | puml | @startuml
interface IInterface
IInterface : asBinder()
interface IMyAidlInterface
class Binder
interface IBinder
class Stub{
IMyAidlInterface asInterface(IBinder obj)
IBinder asBinder()
boolean onTransact()
}
class Proxy{
IBinder mRemote
IBinder asBinder()
int add(int x, int y)
}
IInterface <|-- IMyAidlInterface
IBinder <|-- Binder
Binder <|-- Stub
IMyAidlInterface <|-- Stub
IMyAidlInterface <|-- Proxy
@enduml |
2ac655128b8b3aafa1b9598f7b2cc933956592ca | 563205b14249a87f4b56cfaddc74513a8423748f | /src/main/java/ex41/ex41.puml | 9546a91a41a31b27c5f3de4a271a872d0bca7495 | [] | no_license | shivpatel35/Patel-cop3330-assignment3 | 00d842b4f09c9a438753cbeb5bd0e8fade96af73 | 6a1ad411e4c9fccd72b919d21ec6a6fe44b6c3af | refs/heads/main | 2023-06-02T05:15:19.344396 | 2021-06-21T02:25:05 | 2021-06-21T02:25:05 | 378,782,327 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 122 | puml | @startuml
'https://plantuml.com/class-diagram
class Main{
inputfile
outputfile
sortnames(){
Arraylist
}
}
@enduml |
d8d6b8e81a3bf31888180344311ac19b8cd23df4 | 0c4947dd88f0571925ba65e79fd2ea6c6f35cdda | /src/main/java/cn/tomcat/StandardEngine.puml | b9961ed735dfc91bdf1c75c2c55f4252fb7547ae | [] | no_license | zou2561789/springuml | e31ad444152730d961a37d900951f1a1d3dd9609 | 15a505af77591b3e08a091dda2382940e8e6c48e | refs/heads/master | 2020-05-05T08:10:03.561315 | 2019-06-15T10:36:34 | 2019-06-15T10:36:34 | 179,853,364 | 1 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 6,421 | puml | @startuml
class StandardEngine{
- String defaultHost
- Service service
- String jvmRouteId
- {final} AtomicReference<AccessLog> defaultAccessLog
+ Realm getRealm()
+ String getDefaultHost()
+ void setDefaultHost(String host)
+ void setJvmRoute(String routeId)
+ String getJvmRoute()
+ Service getService()
+ void setService(Service service)
+ void addChild(Container child)
+ void setParent(Container container)
void initInternal()
{synchronized} void startInternal()
void logAccess(Request request, Response response, long time, boolean useDefault)
+ ClassLoader getParentClassLoader()
+ File getCatalinaBase()
+ File getCatalinaHome()
String getObjectNameKeyProperties()
String getDomainInternal()
}
abstract class ContainerBase{
{final} HashMap<String, Container> children
int backgroundProcessorDelay
ScheduledFuture<?> backgroundProcessorFuture
ScheduledFuture<?> monitorFuture
{final} List<ContainerListener> listeners
Log logger
String logName
Cluster cluster
- ReadWriteLock clusterLock
String name
Container parent
ClassLoader parentClassLoader
- {final} Pipeline pipeline
{volatile} Realm realm
- {final} ReadWriteLock realmLock
boolean startChildren
{volatile} AccessLog accessLog
- {volatile} boolean accessLogScanComplete
- int startStopThreads
ExecutorService startStopExecutor
//Properties
+ int getStartStopThreads()
+ void setStartStopThreads(int startStopThreads)
+ int getBackgroundProcessorDelay()
+ void setBackgroundProcessorDelay(int delay)
+ Log getLogger()
+ String getLogName()
+ Cluster getCluster()
Cluster getClusterInternal()
+ void setCluster(Cluster cluster)
+ String getName()
+ void setName(String name)
+ boolean getStartChildren()
+ void setStartChildren(boolean startChildren)
+ Container getParent()
+ void setParent(Container container)
+ ClassLoader getParentClassLoader()
+ void setParentClassLoader(ClassLoader parent)
+ Pipeline getPipeline()
+ Realm getRealm()
Realm getRealmInternal()
+ void setRealm(Realm realm)
//Container Methods
+ void addChild(Container child)
- void addChildInternal(Container child)
+ void addContainerListener(ContainerListener listener)
+ void addPropertyChangeListener(PropertyChangeListener listener)
+ Container findChild(String name)
+ Container[] findChildren()
+ ContainerListener[] findContainerListeners()
+ void removeChild(Container child)
+ void removeContainerListener(ContainerListener listener)
+ void removePropertyChangeListener(PropertyChangeListener listener)
+ void initInternal() throws LifecycleException
+ void reconfigureStartStopExecutor(int threads)
{synchronized} void startInternal() throws LifecycleException
{synchronized} void stopInternal() throws LifecycleException
void destroyInternal() throws LifecycleException
void logAccess(Request request, Response response, long time,boolean useDefault)
+ AccessLog getAccessLog()
//Pipeline Methods
+ {synchronized} void addValve(Valve valve)
+ void backgroundProcess()
+ File getCatalinaBase()
+ File getCatalinaHome()
+ void fireContainerEvent(String type, Object data)
String getDomainInternal()
+ String getMBeanKeyProperties()
+ ObjectName[] getChildren()
void threadStart()
void threadStop()
{final} String toString()
}
interface Engine{
+ String getDefaultHost()
+ void setDefaultHost(String defaultHost)
+ String getJvmRoute()
+ void setJvmRoute(String jvmRouteId)
+ Service getService()
+ void setService(Service service)
}
interface Container{
{static,final} String ADD_CHILD_EVENT
{static,final} String ADD_VALVE_EVENT
String REMOVE_CHILD_EVENT
String REMOVE_VALVE_EVENT
Log getLogger()
String getLogName()
ObjectName getObjectName()
String getDomain()
String getMBeanKeyProperties()
Pipeline getPipeline()
Cluster getCluster()
void setCluster(Cluster cluster)
int getBackgroundProcessorDelay()
void setBackgroundProcessorDelay(int delay)
String getName()
void setName(String name)
Container getParent()
void setParent(Container container)
ClassLoader getParentClassLoader()
void setParentClassLoader(ClassLoader parent)
Realm getRealm()
void setRealm(Realm realm)
{static} String getConfigPath(Container container, String resourceName)
{static} Service getService(Container container)
void backgroundProcess()
void addChild(Container child)
void addContainerListener(ContainerListener listener)
void addPropertyChangeListener(PropertyChangeListener listener)
Container findChild(String name)
Container[] findChildren()
ContainerListener[] findContainerListeners()
void removeChild(Container child)
void removeContainerListener(ContainerListener listener)
void removePropertyChangeListener(PropertyChangeListener listener)
void fireContainerEvent(String type, Object data)
void logAccess(Request request, Response response, long time,boolean useDefault)
AccessLog getAccessLog()
int getStartStopThreads()
void setStartStopThreads(int startStopThreads)
File getCatalinaBase()
File getCatalinaHome()
}
StandardEngine ..|>Engine
StandardEngine --|>ContainerBase
ContainerBase --|>LifecycleMBeanBase
ContainerBase ..|>Container
Engine --|> Container
ContainerBase <..o Container
ContainerBase <--o ContainerListener
ContainerBase <--o Cluster
ContainerBase <--o Pipeline
ContainerBase <--o Realm
ContainerBase <--o AccessLog
ContainerBase <--o AccessLogAdapter
StandardEngine <..o Service
note left of Container
//从接口中看出设计
1.由各个事件可以看出 Container 是基于事件驱动来将容器的配置或者额外时间解耦
2.有Pipeline 看出 Container 是以一条链路执行的责任链相关模式
3.Cluster 说明支持集群
4.BackgroundProcessor 说明 Container 是很可能有守护线程的
5.容器间应该存在父子关系的
6.Realm 做了安全框架
7.基于 StartStopThreads 说明停止关闭是异步的
end note
note left of Engine
Engine 是提供了HOST 和JvmRoute 和Service
end note
@enduml |
a22d766f21aaa2afd32d2accb284ec947eb33710 | 1fa78caa225ab245bcbf45a8f37c0ae0456699bb | /docs/diagrams/CommandHandlerClassDiagram.puml | e031d3d09a160f874df692530d9871ee00cbbcae | [] | no_license | AY2021S2-CS2113T-W09-1/tp | 4fc8be000ca7413ef1fcf6792df8964c9d56dc80 | f6b64fca1af322a0af026b665f5f4a576cf4a768 | refs/heads/master | 2023-04-01T13:54:23.209787 | 2021-04-12T15:46:53 | 2021-04-12T15:46:53 | 343,957,852 | 0 | 5 | null | 2021-04-12T15:46:54 | 2021-03-03T00:58:58 | Java | UTF-8 | PlantUML | false | false | 435 | puml | @startuml
skinparam classAttributeIconSize 0
hide circle
note "Private attributes and methods are omitted." as N1
class CommandHandler {
-isExit : boolean
+CommandHandler()
+isExit() : boolean
+setExit(:boolean)
+parseCommand(:ArrayList<String>, :RecordList): Command
-createCommand(:ArrayList<String>, :RecordList): Command
}
class Finux {
+main()
}
CommandHandler"1" <-- Finux
Finux -right> N1
@enduml |
e043bd55f59d5ae89620df8c9db9f5ea53e64275 | ed160782ff6013bb6dc5e26c388b04982bc6a04c | /Client/Client.plantuml | 63dac16fcc51547f3e24221dae045f1fe84f62de | [] | no_license | sherifawad/bankSystemNoSteg | bdf5a04bc05253f806a7dca8cc74bc6dece929d2 | 075f6b4c35cb497587bc2e6df5d7bf09cf07f730 | refs/heads/master | 2022-11-27T06:12:05.257346 | 2020-08-07T12:43:57 | 2020-08-07T12:43:57 | 285,826,736 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 2,813 | plantuml | @startuml
title __CLIENT's Class Diagram__\n
package algorithm {
package algorithm.encryption {
class AESencryption {
}
}
}
package algorithm {
class Algorithm {
}
}
package parameters {
class Client {
}
}
package sample {
class ClientMain {
}
}
package connection {
class ClientServer {
}
}
package Util {
class Consts {
}
}
package sample {
class Controller {
}
}
package algorithm {
package algorithm.ecc {
class ECPoint {
}
}
}
package algorithm {
package algorithm.ecc {
class EllipticCurve {
}
}
}
package algorithm {
package algorithm.Steganograpgy {
class Embedding {
}
}
}
package algorithm {
package algorithm.encryption {
class EncUtil {
}
}
}
package algorithm {
package algorithm.Steganograpgy {
class Extracting {
}
}
}
package algorithm {
package algorithm.Steganograpgy {
class HelperMethods {
}
}
}
package connection {
class Message {
}
}
package parameters {
class PrivateKey {
}
}
package parameters {
class PublicKey {
}
}
package algorithm {
package algorithm.steganography {
class Steganography {
}
}
}
package algorithm {
package algorithm.steganography {
class UITSteg {
}
}
}
package Util {
class Uty {
}
}
package parameters {
class publicParameters {
}
}
Algorithm o-- ClientServer : bankClient
Client -up-|> Serializable
Client o-- ECPoint : pointOfClientPartialKey
Client o-- ECPoint : pointOfBankPartialKey
Client o-- PrivateKey : privateKey
ClientMain -up-|> Application
ClientServer o-- Client : client
ClientServer o-- publicParameters : publicParameter
ClientServer o-- ECPoint : P_C
Controller -up-|> Initializable
Controller o-- Client : client
Controller o-- Algorithm : algorithm
Controller o-- publicParameters : publicParameter
ECPoint -up-|> Serializable
EllipticCurve -up-|> Serializable
EllipticCurve o-- ECPoint : g
Message -up-|> Serializable
PrivateKey -up-|> Serializable
PublicKey -up-|> Serializable
PublicKey o-- ECPoint : xCoordinates
PublicKey o-- ECPoint : yCoordinate
publicParameters -up-|> Serializable
publicParameters o-- EllipticCurve : curve
publicParameters o-- ECPoint : basePoint
publicParameters o-- ECPoint : kgcPublic
publicParameters o-- PublicKey : bankPublicKey
right footer
PlantUML diagram generated by SketchIt! (https://bitbucket.org/pmesmeur/sketch.it)
For more information about this tool, please contact philippe.mesmeur@gmail.com
endfooter
@enduml
|
c06b3b5f5758804aa28c3d8b567fd3d758db89b2 | d97b774fd95a8e98e37c46ee1771f6e6e407a148 | /uml/api/TaxRate.puml | b0c1534f84b270753e3ab2a535017ecc96506950 | [] | no_license | commercetools/commercetools-api-reference | f7c6694dbfc8ed52e0cb8d3707e65bac6fb80f96 | 2db4f78dd409c09b16c130e2cfd583a7bca4c7db | refs/heads/main | 2023-09-01T05:22:42.100097 | 2023-08-31T11:33:37 | 2023-08-31T11:33:37 | 36,055,991 | 52 | 30 | null | 2023-08-22T11:28:40 | 2015-05-22T06:27:19 | RAML | UTF-8 | PlantUML | false | false | 6,122 | puml | @startuml
hide empty fields
hide empty methods
legend
|= |= line |
|<back:black> </back>| inheritance |
|<back:green> </back>| property reference |
|<back:blue> </back>| discriminated class |
endlegend
interface TaxRate [[TaxRate.svg]] {
id: String
key: String
name: String
amount: Double
includedInPrice: Boolean
country: String
state: String
subRates: [[SubRate.svg List<SubRate>]]
}
interface TaxCategory [[TaxCategory.svg]] {
id: String
version: Long
createdAt: DateTime
lastModifiedAt: DateTime
lastModifiedBy: [[LastModifiedBy.svg LastModifiedBy]]
createdBy: [[CreatedBy.svg CreatedBy]]
name: String
description: String
rates: [[TaxRate.svg List<TaxRate>]]
key: String
}
interface CustomLineItem [[CustomLineItem.svg]] {
id: String
key: String
name: [[LocalizedString.svg LocalizedString]]
money: [[TypedMoney.svg TypedMoney]]
taxedPrice: [[TaxedItemPrice.svg TaxedItemPrice]]
taxedPricePortions: [[MethodTaxedPrice.svg List<MethodTaxedPrice>]]
totalPrice: [[CentPrecisionMoney.svg CentPrecisionMoney]]
slug: String
quantity: Long
state: [[ItemState.svg List<ItemState>]]
taxCategory: [[TaxCategoryReference.svg TaxCategoryReference]]
taxRate: [[TaxRate.svg TaxRate]]
perMethodTaxRate: [[MethodTaxRate.svg List<MethodTaxRate>]]
discountedPricePerQuantity: [[DiscountedLineItemPriceForQuantity.svg List<DiscountedLineItemPriceForQuantity>]]
custom: [[CustomFields.svg CustomFields]]
shippingDetails: [[ItemShippingDetails.svg ItemShippingDetails]]
priceMode: [[CustomLineItemPriceMode.svg CustomLineItemPriceMode]]
}
interface LineItem [[LineItem.svg]] {
id: String
key: String
productId: String
productKey: String
name: [[LocalizedString.svg LocalizedString]]
productSlug: [[LocalizedString.svg LocalizedString]]
productType: [[ProductTypeReference.svg ProductTypeReference]]
variant: [[ProductVariant.svg ProductVariant]]
price: [[Price.svg Price]]
quantity: Long
totalPrice: [[CentPrecisionMoney.svg CentPrecisionMoney]]
discountedPricePerQuantity: [[DiscountedLineItemPriceForQuantity.svg List<DiscountedLineItemPriceForQuantity>]]
taxedPrice: [[TaxedItemPrice.svg TaxedItemPrice]]
taxedPricePortions: [[MethodTaxedPrice.svg List<MethodTaxedPrice>]]
state: [[ItemState.svg List<ItemState>]]
taxRate: [[TaxRate.svg TaxRate]]
perMethodTaxRate: [[MethodTaxRate.svg List<MethodTaxRate>]]
supplyChannel: [[ChannelReference.svg ChannelReference]]
distributionChannel: [[ChannelReference.svg ChannelReference]]
priceMode: [[LineItemPriceMode.svg LineItemPriceMode]]
lineItemMode: [[LineItemMode.svg LineItemMode]]
inventoryMode: [[InventoryMode.svg InventoryMode]]
shippingDetails: [[ItemShippingDetails.svg ItemShippingDetails]]
custom: [[CustomFields.svg CustomFields]]
addedAt: DateTime
lastModifiedAt: DateTime
}
interface MethodTaxRate [[MethodTaxRate.svg]] {
shippingMethodKey: String
taxRate: [[TaxRate.svg TaxRate]]
}
interface ShippingInfo [[ShippingInfo.svg]] {
shippingMethodName: String
price: [[CentPrecisionMoney.svg CentPrecisionMoney]]
shippingRate: [[ShippingRate.svg ShippingRate]]
taxedPrice: [[TaxedItemPrice.svg TaxedItemPrice]]
taxRate: [[TaxRate.svg TaxRate]]
taxCategory: [[TaxCategoryReference.svg TaxCategoryReference]]
shippingMethod: [[ShippingMethodReference.svg ShippingMethodReference]]
deliveries: [[Delivery.svg List<Delivery>]]
discountedPrice: [[DiscountedLineItemPrice.svg DiscountedLineItemPrice]]
shippingMethodState: [[ShippingMethodState.svg ShippingMethodState]]
}
interface CustomLineItemImportDraft [[CustomLineItemImportDraft.svg]] {
name: [[LocalizedString.svg LocalizedString]]
key: String
slug: String
quantity: Long
money: [[Money.svg Money]]
taxRate: [[TaxRate.svg TaxRate]]
taxCategory: [[TaxCategoryResourceIdentifier.svg TaxCategoryResourceIdentifier]]
priceMode: [[CustomLineItemPriceMode.svg CustomLineItemPriceMode]]
shippingDetails: [[ItemShippingDetailsDraft.svg ItemShippingDetailsDraft]]
state: [[ItemState.svg List<ItemState>]]
custom: [[CustomFieldsDraft.svg CustomFieldsDraft]]
}
interface LineItemImportDraft [[LineItemImportDraft.svg]] {
name: [[LocalizedString.svg LocalizedString]]
key: String
variant: [[ProductVariantImportDraft.svg ProductVariantImportDraft]]
productId: String
quantity: Long
price: [[PriceDraft.svg PriceDraft]]
taxRate: [[TaxRate.svg TaxRate]]
distributionChannel: [[ChannelResourceIdentifier.svg ChannelResourceIdentifier]]
supplyChannel: [[ChannelResourceIdentifier.svg ChannelResourceIdentifier]]
inventoryMode: [[InventoryMode.svg InventoryMode]]
shippingDetails: [[ItemShippingDetailsDraft.svg ItemShippingDetailsDraft]]
state: [[ItemState.svg List<ItemState>]]
custom: [[CustomFieldsDraft.svg CustomFieldsDraft]]
}
interface ShippingInfoImportDraft [[ShippingInfoImportDraft.svg]] {
shippingMethodName: String
price: [[Money.svg Money]]
shippingRate: [[ShippingRateDraft.svg ShippingRateDraft]]
taxRate: [[TaxRate.svg TaxRate]]
taxCategory: [[TaxCategoryResourceIdentifier.svg TaxCategoryResourceIdentifier]]
shippingMethod: [[ShippingMethodResourceIdentifier.svg ShippingMethodResourceIdentifier]]
deliveries: [[DeliveryDraft.svg List<DeliveryDraft>]]
discountedPrice: [[DiscountedLineItemPriceDraft.svg DiscountedLineItemPriceDraft]]
shippingMethodState: [[ShippingMethodState.svg ShippingMethodState]]
}
TaxRate --> TaxCategory #green;text:green : "rates"
TaxRate --> CustomLineItem #green;text:green : "taxRate"
TaxRate --> LineItem #green;text:green : "taxRate"
TaxRate --> MethodTaxRate #green;text:green : "taxRate"
TaxRate --> ShippingInfo #green;text:green : "taxRate"
TaxRate --> CustomLineItemImportDraft #green;text:green : "taxRate"
TaxRate --> LineItemImportDraft #green;text:green : "taxRate"
TaxRate --> ShippingInfoImportDraft #green;text:green : "taxRate"
@enduml
|
e12dbc5f0fa715e68da810a9b24b12b090bad8c3 | d97b774fd95a8e98e37c46ee1771f6e6e407a148 | /uml/api/AttributeLocalizedEnumType.puml | 7b94595faa2a5d8a6394b0dafeae47e7240b26c9 | [] | no_license | commercetools/commercetools-api-reference | f7c6694dbfc8ed52e0cb8d3707e65bac6fb80f96 | 2db4f78dd409c09b16c130e2cfd583a7bca4c7db | refs/heads/main | 2023-09-01T05:22:42.100097 | 2023-08-31T11:33:37 | 2023-08-31T11:33:37 | 36,055,991 | 52 | 30 | null | 2023-08-22T11:28:40 | 2015-05-22T06:27:19 | RAML | UTF-8 | PlantUML | false | false | 487 | puml | @startuml
hide empty fields
hide empty methods
legend
|= |= line |
|<back:black> </back>| inheritance |
|<back:green> </back>| property reference |
|<back:blue> </back>| discriminated class |
endlegend
interface AttributeLocalizedEnumType [[AttributeLocalizedEnumType.svg]] extends AttributeType {
name: String
values: [[AttributeLocalizedEnumValue.svg List<AttributeLocalizedEnumValue>]]
}
interface AttributeType [[AttributeType.svg]] {
name: String
}
@enduml
|
fe1db6ce60516379a427ced2903a97221b265ede | 614d69a4292ebe64a5d5f7ec110e7ed0bc85c00f | /metrics/cli/docs/diagrams/deploy_command_class_diagram.puml | 1e38aaf8cca4c8975d565532314c9bd665091345 | [
"BSD-3-Clause",
"Apache-2.0"
] | permissive | solid-yuriiuvarov/dashboard | 0f270825187c64a6ac1cc56d60911d31a9e8ab91 | 0b59387d0fe12e97789fdef79c4c43952241b32a | refs/heads/master | 2023-06-04T14:54:11.153055 | 2021-06-22T10:20:57 | 2021-06-22T10:20:57 | 369,200,884 | 0 | 0 | Apache-2.0 | 2021-05-25T11:16:32 | 2021-05-20T12:29:31 | Dart | UTF-8 | PlantUML | false | false | 3,363 | puml | @startuml deploy_command_class_diagram
package firebase.service {
interface FirebaseService {
+ login(): Future<void>
+ createWebApp(String projectId): Future<void>
+ deployHosting(String projectId, String target, String appPath): Future<void>
+ deployFirebase(String projectId, String firebasePath): Future<void>
+ configureAuthProviders(String projectId) : FutureOr<String>
+ enableAnalytics(String projectId) : FutureOr<void>
+ initializeFirestoreData(String projectId) : FutureOr<void>
+ upgradeBillingPlan(String projectId) : FutureOr<void>
+ acceptTermsOfService() : FutureOr<void>
}
}
package gcould.service {
interface GCloudService {
+ login() : Future<void>
+ createProject() : Future<String>
}
}
package flutter.service {
interface FlutterService {
+ build(String appPath) : Future<void>
}
}
package git.service{
interface GitService {
+ checkout(String repoUrl, String targetDirectory) : Future<void>
}
}
package npm.service {
interface NpmService {
+ installDependencies(String path) : Future<void>
}
}
package sentry.service{
interface SentryService {
+ login() : Future<void>
+ createRelease(List<SourceMap> sourceMaps) : Future<SentryRelease>
+ getProjectDsn(SentryProject project) : String
}
}
package common {
package model {
class Services {
+ npmService : NpmService
+ gitService : GitService
+ flutterService : FlutterService
+ gcloudService : GCloudService
+ firebaseService : FirebaseService
+ sentryService : SentryService
}
}
package factory as common.factory{
class ServicesFactory {
+ create() : Services
}
}
}
package deploy {
package command {
class DeployCommand {
- _deployerFactory : DeployerFactory
+ run() : Future<void>
}
}
package constants {
class DeployConstants{}
}
package factory {
class DeployerFactory {
- _servicesFactory : ServicesFactory
+ create() : Deployer
}
}
class Deployer {
- _fileHelper: FileHelper
- _npmService : NpmService
- _gitService : GitService
- _flutterService : FlutterService
- _gcloudService : GCloudService
- _firebaseService : FirebaseService
- _sentryService : SentryService
+ deploy() : Future<void>
}
}
package helper {
class FileHelper {
+ getFile(String path) : File
+ getDirectory(String path) : Directory
+ replaceEnvironmentVariables(File file, Map<String, dynamic> environment) : void
}
}
Deployer -down-> NpmService : uses
Deployer -down-> GitService : uses
Deployer -down-> FlutterService : uses
Deployer -down-> GCloudService : uses
Deployer -down-> FirebaseService : uses
Deployer -down-> SentryService : uses
Deployer -left-> FileHelper : uses
Deployer -> DeployConstants : uses
Deployer -> Services : uses
DeployCommand -down-> Deployer : uses
DeployCommand -down-> DeployerFactory : uses
DeployerFactory -left-> ServicesFactory : uses
ServicesFactory --> Services : creates
DeployerFactory --> Deployer : creates
@enduml
|
48f18eda3c724baba97d7cf9f707cd482fcf852c | 3495a3bc8450a240a21780fb8c795c215f88000a | /docs/UC7 - Do Payment Automatically/UC7_CD_REF1.puml | 465f42c22e4209c46ab80c11d1cb9b99f8b832bd | [] | no_license | 1190452/LAPR2 | f27ac4e485b91d04189dd0a37551bc108c070b12 | 97c5488c091243cf65f9e16821f56a5020e0ae2e | refs/heads/master | 2023-05-09T02:35:50.850483 | 2020-06-14T21:07:59 | 2020-06-14T21:07:59 | 372,570,349 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 1,391 | puml | @startuml
skinparam classAttributeIconSize 0
left to right direction
class ApplicationPOT{
+getInstance()
+getPlatform()
}
class DoPaymentTask{
+DoPayment()
+passOrg(org)
}
class Platform{
+getRegisterFreelancer()
}
class Organization{
+getTaskList()
+getRTrans()
}
class RegisterFreelancer{
+getFreelancerList()
}
class Freelancer{
+getCountry()
}
class TaskList{
+getTask(i)
}
class Task{
+getIsPayed()
+getCostHour()
+getTimeDuration()
}
class RegisterTransaction{
+getTransactions()
}
class Transaction {
+getFreelancer()
+getTask()
}
class CurrencyConverter{
+convertToCurrency(sum, country)
}
class Writer{
+writeOrg(org, sum)
+generateReceipt(nltr, sum, curr)
}
DoPaymentTask ..> ApplicationPOT
DoPaymentTask ..> Platform
DoPaymentTask ..> Organization
Platform "1" -- "1" RegisterFreelancer : has
RegisterFreelancer "1" -- "1..*" Freelancer : has
Organization "1" -- "1" TaskList : has
TaskList "1" -- "1..*" Task : has
Platform "1" -- "1..*" Organization : has
Organization "1" -- "1..*" RegisterTransaction : has
RegisterTransaction "1" -- "1..*" Transaction : has
DoPaymentTask ..> RegisterFreelancer
DoPaymentTask ..> Task
DoPaymentTask ..> RegisterTransaction
DoPaymentTask ..> Transaction
DoPaymentTask ..> Freelancer
DoPaymentTask ..> Writer
DoPaymentTask ..> CurrencyConverter
@enduml |
fe3d82b44b41ab7484740a623bd19d6441373fdf | 2674d2bfed6d4a96db1f1d40d19b237642d01ca7 | /docs/blue/s1150371/sp3/dm.puml | a97115e823061a5bc02d336acd689453c4bad237 | [] | no_license | HugoFernandes2343/LAPR4_2017-2018 | 9c827075d64c92d89c05bb772f7e7c3192416803 | e1d4724d9995676ac1f25bed0e9c2884929c12bb | refs/heads/master | 2023-02-26T22:39:42.292967 | 2018-06-20T12:37:30 | 2018-06-20T12:37:30 | 336,568,975 | 1 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 384 | puml | @startuml
skinparam monochrome true
skinparam packageStyle rect
skinparam defaultFontName FG Virgil
skinparam shadowing false
class WorkbookService
class WorkbookView
class Workbook {
- List<Spreadsheet> spreadsheets
}
interface Spreadsheet
interface Cell
Spreadsheet <|-- Workbook
Cell <|-- Spreadsheet
Workbook <|-- WorkbookService
WorkbookService <|-- WorkbookView
@enduml
|
523ab85f45e72c88692afb6be2ad7adbd01b9be6 | 6bed988570665129a7ab8fea95ec6ecaaa846804 | /src/main/java/br/com/psytecnology/config/config.plantuml | 3ef79d72d9de0baf1338094e42da69641c13ad6e | [] | no_license | adrianolmorais/estudos-spring-boot | 4c2990beff5f65f0a801898675a5f3aadc39da01 | 94b7717d6f5a7a5db28f7ceb738bd45c9247296e | refs/heads/master | 2022-10-02T12:31:06.274920 | 2020-06-06T04:16:01 | 2020-06-06T04:16:01 | 259,220,555 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 1,384 | plantuml | @startuml
title __CONFIG's Class Diagram__\n
namespace br.com.psytecnology {
namespace config {
class br.com.psytecnology.config.InternacionalizacaoConfig {
+ localValidatorFactoryBean()
+ messageSource()
}
}
}
namespace br.com.psytecnology {
namespace config {
class br.com.psytecnology.config.SecurityConfig {
+ SecurityConfig()
+ configure()
+ jwtFilter()
+ passwordEncoder()
# configure()
# configure()
}
}
}
namespace br.com.psytecnology {
namespace config {
class br.com.psytecnology.config.SwaggerConfig {
+ apiKey()
+ docket()
- apiinfo()
- contact()
- defaultAuth()
- securityContext()
}
}
}
br.com.psytecnology.config.SecurityConfig -up-|> org.springframework.security.config.annotation.web.configuration.WebSecurityConfigurerAdapter
br.com.psytecnology.config.SecurityConfig o-- br.com.psytecnology.security.jwt.JwtService : jwtService
br.com.psytecnology.config.SecurityConfig o-- br.com.psytecnology.service.UsuarioService : usuarioService
right footer
PlantUML diagram generated by SketchIt! (https://bitbucket.org/pmesmeur/sketch.it)
For more information about this tool, please contact philippe.mesmeur@gmail.com
endfooter
@enduml
|
be840c33fdf765c77be3e7df1d046b5bf4ee0cb3 | 366b04c0ecc60f4f827ccc25cc47201652cf29e8 | /src/factories/simpleFactory/implementation_01/uml/Factory_01.puml | 94609faae5fe84f35b2db0642a4d1e645f172e9e | [] | no_license | vitalispopoff/designPatterns | c14b6d222603d6873229b17254b4e001b1b23bac | 9d90e87ddbd6f964ba681c7bb13b94551383ff07 | refs/heads/master | 2022-11-16T10:20:38.580475 | 2020-06-20T21:36:16 | 2020-06-20T21:36:16 | 267,718,159 | 1 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 440 | puml | @startuml
+class ToyProducer{
+{field} Factory
--
+{method} Toy produceToy (String)
}
+abstract class Toy{
+{field} String toyName
+{field} boolean forGirls
--
}
+class ToyBall extends Toy{
}
+class ToyDoll extends Toy{
}
+class Factory{
--
+{method} Toy constructToy(String)
}
ToyProducer -right-* Toy
ToyProducer -up-o Factory
Factory .up.> ToyBall
Factory .up.> ToyDoll
@enduml |
cba8ea6ad6e44893e1586520c662d567ac13be6e | c69dba4cef780d27a126166ee912005507258413 | /src/design/celestial-bodies-class-diagram.puml | b70fa1762663d44a1d74bbed653010a4d39798bd | [
"MIT",
"EPL-1.0",
"Apache-2.0"
] | permissive | CS-SI/Orekit | 2265900b501fe6727a57378956f9f2c61564909a | 7ab7a742674eabee00e1dbe392833d587fdcdaab | refs/heads/develop | 2023-09-03T20:33:42.748576 | 2023-09-01T14:34:03 | 2023-09-01T14:34:03 | 22,851,787 | 144 | 79 | Apache-2.0 | 2023-03-28T17:53:33 | 2014-08-11T19:29:35 | Java | UTF-8 | PlantUML | false | false | 3,102 | puml | ' Copyright 2002-2023 CS GROUP
' Licensed to CS GROUP (CS) under one or more
' contributor license agreements. See the NOTICE file distributed with
' this work for additional information regarding copyright ownership.
' CS licenses this file to You 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.
@startuml
skinparam svek true
skinparam ClassBackgroundColor #F3EFEB/CCC9C5
skinparam ClassArrowColor #691616
skinparam ClassBorderColor #691616
skinparam NoteBackgroundColor #F3EFEB
skinparam NoteBorderColor #691616
skinparam NoteFontColor #691616
skinparam ClassFontSize 11
skinparam PackageFontSize 12
skinparam linetype ortho
package org.orekit #ECEBD8 {
package frames #DDEBD8 {
class Frame
}
package utils #DDEBD8 {
interface ExtendedPVCoordinatesProvider
}
package bodies #DDEBD8 {
interface CelestialBody {
+Frame getInertiallyOrientedFrame()
+Frame getBodyOrientedFrame()
+String getName()
+double getGM()
}
class CelestialBodyFactory {
+CelestialBody getSolarSystemBarycenter()
+CelestialBody getSun()
+CelestialBody getMercury()
+CelestialBody getVenus()
+CelestialBody getEarthMoonBarycenter()
+CelestialBody getEarth()
+CelestialBody getMoon()
+CelestialBody getMars()
+CelestialBody getJupiter()
+CelestialBody getSaturn()
+CelestialBody getUranus()
+CelestialBody getNeptune()
+CelestialBody getPluto()
+CelestialBody getBody(String name)
}
interface CelestialBodyLoader {
+CelestialBody loadCelestialBody(String name)
}
class JPLEphemeridesLoader
interface IAUPole {
+Vector3D getPole(AbsoluteDate date)
+Vector3D getNode(AbsoluteDate date)
+double getPrimeMeridianAngle(AbsoluteDate date)
}
abstract class PredefinedIAUPoles {
+IAUPole getIAUPole(EphemerisType body)
}
CelestialBodyLoader <|.. JPLEphemeridesLoader
CelestialBody "*" <-left-o "1" CelestialBodyFactory
CelestialBodyFactory "1" o--> "*" CelestialBodyLoader
ExtendedPVCoordinatesProvider <|-- CelestialBody
CelestialBody -up-> Frame
IAUPole "*" <-left-* "1" PredefinedIAUPoles : creates
CelestialBody "1" *--> IAUPole
CelestialBody <-left- JPLEphemeridesLoader : creates
}
package data #DDEBD8 {
abstract class AbstractSelfFeedingLoader
JPLEphemeridesLoader --|> AbstractSelfFeedingLoader
}
}
@enduml
|
8acb580a152fd10c2b190222bc023a514c56d547 | 973dcef38fb285cf4f14a2e937af23e26a05564b | /docs/Solution/Services/swarm-node-agent/Logical.puml | e3e76810b1b2e08937b091b1251ef411c66e0f77 | [] | no_license | CAADE/CAADE | 6a0d37b31e77fd00eeb1ad056d17d484585cad96 | 3873453a14359879a146f1d5897554ae2e94bd96 | refs/heads/master | 2021-06-09T05:28:17.894441 | 2019-06-07T06:08:10 | 2019-06-07T06:08:10 | 104,078,969 | 1 | 0 | null | 2020-08-20T15:13:40 | 2017-09-19T13:32:11 | JavaScript | UTF-8 | PlantUML | false | false | 221 | puml | @startuml
package "swarm-node-agent" #lightblue {
interface "swarm-node-agent" {
}
CLI ()-- "swarm-node-agent" : 5000
REST ()-- "swarm-node-agent" : 3000
Web ()-- "swarm-node-agent" : 80
}
@enduml
|
3a1fd84d82ed2640c19e698d8246881efbd58d0b | 390529a6994db132eebcf31cf5ca4ca160ba0929 | /PlantUML/logicEventHandle.puml | e0c8b4eb05edb4a881a67c112e9f7f81ac550ed2 | [
"Apache-2.0"
] | permissive | adamrankin/OpenIGTLinkIO | 673ecb3fb99caf3fae82aafcbc3961b087f59d83 | 9d0b1010be7b92947dbd461dc5298c320dfc00e4 | refs/heads/master | 2021-01-07T15:46:20.466195 | 2019-08-07T14:38:25 | 2019-08-07T14:38:25 | 201,068,719 | 0 | 0 | Apache-2.0 | 2019-08-07T14:38:46 | 2019-08-07T14:38:46 | null | UTF-8 | PlantUML | false | false | 2,389 | puml | @startuml
class Connector{
..events..
ConnectedEvent = 118944
DisconnectedEvent = 118945
ActivatedEvent = 118946
DeactivatedEvent = 118947
NewDeviceEvent = 118949
DeviceContentModifedEvent = 118950
RemovedDeviceEvent = 118951
..
+DeviceContentModified() : void
InvokeEvent(DeviceContentModifedEvent)
+AddDevice(): int
InvokeEvent(NewDeviceEvent)
+RemoveDevice(): int
InvokeEvent(RemovedDeviceEvent)
}
class Device{
..events..
ReceiveEvent = 118948
ResponseEvent = 118952
ModifiedEvent = vtkCommand::ModifiedEvent
CommandReceivedEvent = 119001
CommandResponseReceivedEvent = 119002
..
}
class CommandDevice{
..events..
CommandModifiedEvent = 118958
..
+ReceiveIGTLMessage() : int
InvokeEvent(CommandReceivedEvent)
InvokeEvent(CommandResponseReceivedEvent)
+SetContent()
InvokeEvent(ContentModifiedEvent)
+CheckQueryExpiration() : int
InvokeEvent(ResponseEvent)
}
class NonCommandDevices{
..events..
ContentModifiedEvent = 118955-118967, 118959-118960
..
+ReceiveIGTLMessage(): int
InvokeEvent(ContentModifiedEvent)
InvokeEvent(ReceiveEvent)
+SetContent()
InvokeEvent(ContentModifiedEvent)
}
class Logic {
..events..
ConnectionAddedEvent = 118970
ConnectionAboutToBeRemovedEvent = 118971
NewDeviceEvent = 118949
DeviceModifiedEvent = 118950
RemovedDeviceEvent = 118951
CommandReceivedEvent = 119001
CommandResponseReceivedEvent = 119002
....
+CreateConnector(): ConnectorPointer
InvokeEvent(ConnectionAddedEvent)
#onDeviceEventFunc() : void
#onNewDeviceEventFunc() : void
#onRemovedDeviceEventFunc() : void
}
together {
class Device
class CommandDevice
class NonCommandDevices
}
Device<|--CommandDevice
Device<|--NonCommandDevices
Logic"1"-->"0..*"Connector : observes
Connector"1"-->"0..*"NonCommandDevices : observes
Logic"1"-->"0..*"NonCommandDevices : observes
Connector"1"-->"0..*"CommandDevice : observes
Logic"1"-->"0..*"CommandDevice : observes
'Connector::AddDevice-->Logic::onNewDeviceEventFunc : callback
'Connector::RemovedDevice-->Logic::onRemovedDeviceEventFunc : callback
'NonCommandDevices::ReceiveIGTLMessage-->Connector::DeviceContentModified : callback
'CommandDevice::ReceiveIGTLMessage->Logic::onDeviceEventFunc: callback
@enduml |
7f7694ee4993cfe80180edba05aad9f421b94b2e | fb6cdc303c504ac460aabff216b9eb7d6cbae95d | /src/main/java/com/bgzyy/design/pattern/factory/simple/pizzastore/PizzaStore.puml | 8a72684dfede0d6f783dad0a8aa3adaf1267dc71 | [] | no_license | bgzyy/Design-Patterns | 67484fd535fb7c41e22cc8122e274b470ca011c8 | 6e0a2853814708ead8eae7a72171e61f705b6409 | refs/heads/master | 2023-01-01T16:12:13.380936 | 2020-10-24T08:48:19 | 2020-10-24T08:48:19 | 306,841,209 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 343 | puml | @startuml
abstract class Pizza {
+{abstract}prepare(): void
+bake(): void
+cut(): void
+box(): void
}
class CheesePizza
class GreekPizza
class OrderPizza
class PizzaStore
CheesePizza --|> Pizza
GreekPizza --|> Pizza
OrderPizza ..> CheesePizza
OrderPizza ..> GreekPizza
OrderPizza ..> Pizza
PizzaStore ..> OrderPizza
@enduml |
c2f22e83862a08fde94b2b6f1ec2a83f36f38cc2 | 042b522e8f6e05d7c8edda35106abf9b0b32d10d | /gha/src/hu.bme.mit.mcmec.tricheckparser/src/test/java/hu/bme/mit/mcmec/tricheckparser/tricheckparser.plantuml | be56083ece1a8980a222293bf8a49eed167d3848 | [] | no_license | leventeBajczi/prog3 | c5a3024c58f2e964f1b809feb6fc5f03756a1a5d | 23cd59006c03331deb7b33ce1e389df2dd350e4b | refs/heads/master | 2020-03-28T02:34:29.312264 | 2018-11-03T21:32:47 | 2018-11-03T21:32:47 | 147,580,561 | 0 | 1 | null | null | null | null | UTF-8 | PlantUML | false | false | 474 | plantuml | @startuml
title __TRICHECKPARSER's Class Diagram__\n
package hu.bme.mit.mcmec.tricheckparser {
class TriCheckParserTest {
- prefix : String
- litmusTestPath : String[]
- litmusTestOutput : String[]
+ triCheckParserTest()
}
}
right footer
PlantUML diagram generated by SketchIt! (https://bitbucket.org/pmesmeur/sketch.it)
For more information about this tool, please contact philippe.mesmeur@gmail.com
endfooter
@enduml
|
5f218a70d7543cc8b55577676b1a34c6d0e96fb1 | 60e80b1719d9c929747baf3d32537c1731c0168f | /principle/segregation/src/main/resources/segregation1.puml | 8233a6cdafaafcb80c312d58967dafa53bcd1956 | [] | no_license | GilbertXiao/JavaDesignPatterns | 8c0b82634c96107f6311dbacabdaa38119402782 | 35ce09c85b40ae585ecfc8fb7c3247375eb2a40b | refs/heads/master | 2021-07-11T11:10:04.956876 | 2020-07-19T11:59:28 | 2020-07-19T11:59:28 | 179,295,966 | 1 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 511 | puml | @startuml
interface ingerface1{
--
operation1():void
operation2():void
operation3():void
operation4():void
operation5():void
}
class B
class D
class A
class C
ingerface1 <|.up. B
ingerface1 <|.up. D
ingerface1 <.. A
ingerface1 <.. C
note left of A
1)A 通过interface1会依赖(使用) B
2)但是A只会使用到接口的1,2,3三个方法
end note
note right of C
1)C 通过interface1会依赖(使用) D
2)但是C只会使用到接口的1,4,5三个方法
end note
@enduml
|
4a9e0d51e8c69bf4675c7259c2d1ed5152aa24a3 | e30e784d7ee56674973b80b367b6ba73a98091d2 | /doc/buyflow/buyFlow.puml | 9d1d26d7d81a1b0ba5c0058410917a6ddd5e76e9 | [] | no_license | suevip/trade-1 | 774bb35a3aa878c42280f6770524eba08923b4aa | 4a48848eebb5ebcf0958fcdc61b4a6e357ec38b8 | refs/heads/master | 2018-01-14T17:41:43.441561 | 2016-02-22T08:39:47 | 2016-02-22T08:39:47 | 63,680,598 | 1 | 0 | null | 2016-07-19T09:30:20 | 2016-07-19T09:30:20 | null | UTF-8 | PlantUML | false | false | 1,775 | puml | @startuml
package com.youzan.trade.buy.definition {
class BuyFlowDefinitionManager
interface BuyFlowDefinition
class BasicBuyFlowDefinition implements BuyFlowDefinition
class PeerPayBuyFlowDefinition implements BuyFlowDefinition
class GiftBuyFlowDefinition implements BuyFlowDefinition
class OutSeasBuyFlowDefinition implements BuyFlowDefinition
class PresentBuyFlowDefinition implements BuyFlowDefinition
class FenXiaoBuyFlowDefinition implements BuyFlowDefinition
class QrBuyFlowDefinition implements BuyFlowDefinition
BuyFlowDefinitionManager --> BuyFlowDefinition
}
package com.youzan.trade.buy.context {
class BuyFlowContext
}
package com.youzan.trade.buy.result {
class BuyFlowResult
}
package com.youzan.trade.buy.node {
interface BuyFlowNode {
BuyFlowResult run(BuyFlowContext ctx);
}
class StockCheckNode implements BuyFlowNode
class UmpCheckNode implements BuyFlowNode
class ShopStatusCheckNode implements BuyFlowNode
class GoodsStatusCheckNode implements BuyFlowNode
BuyFlowNode --> BuyFlowContext
BuyFlowNode --> BuyFlowResult
}
package com.youzan.trade.buy.core {
class BuyFlow
BuyFlow --> BuyFlowContext
BuyFlow --* BuyFlowDefinition
BuyFlowDefinition --o BuyFlowNode
}
package com.youzan.trade.buy.selector {
interface BuyFlowSelector {
String resolveBuyFlow(BuyFlowContext ctx);
}
class GroovyBuyFlowSelector implements BuyFlowSelector
BuyFlowSelector --> BuyFlowContext
}
package com.youzan.trade.buy.service {
class BuyFlowService
BuyFlowService --> BuyFlow
BuyFlowService --> BuyFlowContext
BuyFlowService --> BuyFlowSelector
BuyFlowService --> BuyFlowDefinitionManager
}
@enduml |
9c2d14215c0d25d44bcab13e24d923a799955b54 | c85d255daca76e76b7073e0a288849be195b214e | /app/src/main/java/com/architectica/socialcomponents/api/api.plantuml | d2b5cf4f06bbaa1c687129d9775cb088fa0a5863 | [
"Apache-2.0"
] | permissive | AryaAshish/Archcrony | 75bb4646d938b2da11721aff0dde11ad49f4a357 | 3cf972c48e900d513d53ebed857373741c1969b5 | refs/heads/master | 2020-04-29T12:34:32.168647 | 2019-08-01T12:56:05 | 2019-08-01T12:56:05 | 176,141,477 | 1 | 3 | Apache-2.0 | 2019-08-01T12:56:06 | 2019-03-17T18:16:12 | Java | UTF-8 | PlantUML | false | false | 748 | plantuml | @startuml
title __API's Class Diagram__\n
namespace com.architectica.socialcomponents {
namespace api {
class com.architectica.socialcomponents.api.ApiClient {
{static} + BASE_URL : String
{static} + retrofit : Retrofit
{static} + getApiClient()
{static} + getUnsafeOkHttpClient()
}
}
}
namespace com.architectica.socialcomponents {
namespace api {
interface com.architectica.socialcomponents.api.ApiInterface {
{abstract} + getNews()
}
}
}
right footer
PlantUML diagram generated by SketchIt! (https://bitbucket.org/pmesmeur/sketch.it)
For more information about this tool, please contact philippe.mesmeur@gmail.com
endfooter
@enduml
|
712e9dab70c14d31a779f0f90b077e233c52b5f6 | 740ec837551b09f09677854163ecd30ba6ea3cb7 | /documents/sd/plantuml/application/Modules/WebBrowser/Producers/ButtonClickEventProducer.puml | 2b0f991a4834879014cf902e48c240cbb8093e79 | [
"MIT"
] | permissive | insightmind/MORR | 913c0c16d14745cbde40af07322ca339a0373f32 | 0830f2155fb3b32dc127587e07cbd780deb0e118 | refs/heads/develop | 2020-12-08T00:23:17.488431 | 2020-04-05T20:50:44 | 2020-04-05T20:50:44 | 232,827,908 | 5 | 1 | MIT | 2020-04-05T20:55:27 | 2020-01-09T14:28:48 | HTML | UTF-8 | PlantUML | false | false | 419 | puml | @startuml
skinparam monochrome true
skinparam ClassAttributeIconSize 0
!startsub default
class ButtonClickEventProducer {
+ <<override>> Notify(eventJson:System.Text.Json.JsonElement) : void
}
abstract class "WebBrowserEventProducer<T>" {
}
enum "EventLabel"
!endsub
"WebBrowserEventProducer<T>" "<ButtonClickEvent>" <|-- ButtonClickEventProducer
ButtonClickEventProducer --> "HandledEventLabel" EventLabel
@enduml
|
4c7ba23397e0b95984c105c075b3b6e527f2e700 | d97b774fd95a8e98e37c46ee1771f6e6e407a148 | /uml/api/GraphQLDuplicatePriceScopeError.puml | 64757d778599892c05caa6a87ea952b881dd4c62 | [] | no_license | commercetools/commercetools-api-reference | f7c6694dbfc8ed52e0cb8d3707e65bac6fb80f96 | 2db4f78dd409c09b16c130e2cfd583a7bca4c7db | refs/heads/main | 2023-09-01T05:22:42.100097 | 2023-08-31T11:33:37 | 2023-08-31T11:33:37 | 36,055,991 | 52 | 30 | null | 2023-08-22T11:28:40 | 2015-05-22T06:27:19 | RAML | UTF-8 | PlantUML | false | false | 472 | puml | @startuml
hide empty fields
hide empty methods
legend
|= |= line |
|<back:black> </back>| inheritance |
|<back:green> </back>| property reference |
|<back:blue> </back>| discriminated class |
endlegend
interface GraphQLDuplicatePriceScopeError [[GraphQLDuplicatePriceScopeError.svg]] extends GraphQLErrorObject {
code: String
conflictingPrice: [[Price.svg Price]]
}
interface GraphQLErrorObject [[GraphQLErrorObject.svg]] {
code: String
}
@enduml
|
cd1a0f0211bedc8317fd304e72c1dae3e65ff36a | 7e6fa61a8595cd38195713b5c7698f5de6f7c7b3 | /base/002/diagrama.puml | 6d793d36d54ea8e6408dc3e3f0384462d0deb3e4 | [] | no_license | qxcodepoo/arcade | 3ff1852792a47584f00c1ab9fd5011ebb2c4b830 | 3722a8c976a51829b2b6f4913360c23bf114433a | refs/heads/master | 2023-08-31T04:07:06.255292 | 2023-08-25T03:16:42 | 2023-08-25T03:16:42 | 217,410,955 | 36 | 42 | null | 2020-09-24T13:22:18 | 2019-10-24T23:12:40 | C++ | UTF-8 | PlantUML | false | false | 1,298 | puml | '--
@startuml
skinparam defaultFontName Hasklig
skinparam dpi 150
'==
class Car {
' quantidade de passageiros no carro
+ pass : int
' máximo de passageiros que o carro suporta
+ passMax : int
' gasolina atual do carro
+ gas : int
' máximo de gasolina que o carro suporta
+ gasMax : int
' quilometragem atual do carro
+ km : int
__
' inicializar todos os atributos
' inicializar com tanque vazio
' 0 passageiros
' 0 de quilometragem
' máximo de 2 pessoas
' máximo de 100 litros de gasolina
+ Car()
' embarca uma pessoa no carro
' verifique se o carro não estiver lotado
+ enter()
' desembarca uma pessoa por vez
' verifique se tem alguém no carro
+ leave()
' percorre value quilometros com o carro
' gasta um litro de gas para cada km de distancia
' verifique se tem alguém no carro
' verifique se tem gasolina suficiente
+ drive(value : int): void
' incrementa gasolina no tanque de value
' caso tente abastecer acima do limite de gasMax
' o valor em excesso deve ser descartado
+ fuel(value : int)
+ toString() : string
}
class Legenda {
+ atributoPublic
- atributoPrivate
# atributoProtected
__
+ métodoPublic()
- métodoPrivate()
# métodoProtected()
}
'--
@enduml |
102dbe6d692024a56a4b112131e7e1fb27908dac | 02b0d37dad8182bfbc5414bbd250f36c6e888b28 | /PlantUml/Scripts/Design Patterns/Factory/Pizza/PizzaFactoryPattern.puml | 8da21a817c497a69cde9d37bf07fe5c140f6ea85 | [] | no_license | Darcy97/U3D_Libs | ee8b1afb4e4cdc99fd80ab404fc8171cf2181ca0 | cc6143112916cafa346a00bc1fab7841b7888444 | refs/heads/master | 2020-06-21T16:37:56.155301 | 2019-08-20T07:04:09 | 2019-08-20T07:04:09 | 197,504,293 | 0 | 0 | null | null | null | null | UTF-8 | PlantUML | false | false | 144 | puml | @startuml
class PizzaFactoryPattern {
- Awake() : void
- OnStartButtonClick() : void
}
PatternMonoBase <|-- PizzaFactoryPattern
@enduml
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.