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
ccd317eb93814c58852d39278357ed5bdb9dd7c7
d0fd3d2b003db2c3bba6e0b39fe443c975e93977
/app/src/main/res/uml/androidviewsystem/View_class.puml
ec4d3a389334f341424b5cdad051840017f44770
[ "Apache-2.0" ]
permissive
yaoguang8816/demoproject
b0160d82087faea537e05181dedd8bf0f6e26d4a
7a87a2a5154bd02ea9175e9734fdbf5a36f037f7
refs/heads/master
2023-02-01T03:26:44.477127
2020-12-18T06:06:59
2020-12-18T06:06:59
298,440,434
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,360
puml
@startuml title <font color=red size=16>View类图</font> endtitle header <font color=red>Warning:</font> Do not use for commercial purposes. endheader '----------------------------------------------------------- interface ViewParent { invalidateChildInParent() requestLayout() } class ViewRootImpl { final Surface mSurface View.AttachInfo mAttachInfo final IWindowSession mWindowSession; } ViewRootImpl .up.|> ViewParent '############################# class View { ViewParent mParent invalidate() requestLayout() } View -right-> ViewParent class AttachInfo { final ViewRootImpl mViewRootImpl IWindowSession mSession//与WMS交互的桥梁 } View +-- AttachInfo AttachInfo <--> ViewRootImpl '############################# class WindowManagerGlobal { final ArrayList<View> mViews final ArrayList<ViewRootImpl> mRoots final ArrayList<WindowManager.LayoutParams> mParams void addView(View view, ViewGroup.LayoutParams params, ...) } note bottom of WindowManagerGlobal mViews,mRoots,mParams分别记录WMG管理的 view以及其对应的ViewRootImpl和Params, 三个List同增同减,也就是说相同index对应的 就是同一个View的相关信息 end note WindowManagerGlobal --> ViewRootImpl '----------------------------------------------------------- right footer Generated by Yaoguang @enduml
d205228c04e2e279f3555c4b2ac0e026264ace0a
0ff1db84963512b70e74fa06894c61566c6c2ecc
/design/rng_design.puml
60c12608f11317122573f3f60f3968f624558e9c
[]
no_license
CiaranWelsh/Evogen
72834796a076281c2f2d7c6b2e521bced4da6c89
9c35cb4e5205234b5b4b4d3c09bf9dcc16cefded
refs/heads/master
2023-01-07T20:11:27.409302
2020-11-01T00:55:45
2020-11-01T00:55:45
293,763,013
0
0
null
null
null
null
UTF-8
PlantUML
false
false
4,262
puml
@startuml class NetworkComponent { list[str] ids } note left of NetworkComponent { These are a set of data containers. Their only job is to store information. There are some common aspects to all parts of a network. These can go into this base class, because why repeat outselves. Subclasses hold the information that will be used to create a model. Remember that subclasses all inherit the ids attribute. } class Compartment { list[float] values } class BoundarySpecies { list[int] compartment_index list[int] values } class FloatingSpecies{ list[int] compartment_index list[int] values } class Reactions { list[RateLaw] rate_laws list[int] substrate_indices list[int] product_indices list[int] modifier_indices } NetworkComponent <|-- Compartment :extends (or inherits from) NetworkComponent <|-- BoundarySpecies NetworkComponent <|-- FloatingSpecies NetworkComponent <|-- Reactions class RateLaw { string name string rate_law dict roles unpackRateLaw() } note left of RateLaw { unpackRateLaw is probably the most diffict bit to understand out of the whole RNG. Its purpose is to automatically extract all variable names from a rate law regardless of the math thats holding them together. We do this by relying on libsbml to be able to parse arbitrary math strings. Its nice to automate this, but a workaround to avoid the rabbit hole I suspect this might cause you to fall into could be to just get the user to input the names of the variables in the math string? So your RateLaw would have an extra argument, `variables` maybe uni_uni = RateLaw("uni_uni", "k*A", variables=["A"] roles = dict(k="parameter", A="substrate", B="product"), } class NetworkGenerationOptions { NetworkGenerationOptions(rate_law_dict) } NetworkGenerationOptions <-- RateLaw : Input to abstract class RNGAbstract{ RNGAbstract(NetworkGenerationOptions) createCompartments() (abstract) createFloatingSpecies() (abstract) createBoundarySpecies()(abstract) createReactions()(abstract) generate() } RNGAbstract <-- NetworkGenerationOptions : used by note right of RNGAbstract { This in an abstract class. I.e. designed to be extended. Never instantiated itself, only subclasses are used by end user. Algorithm is this: 1) randomly select nCompartments compartments and create a Compartments object 2) randomly select nFloatingSpecies species and create a FloatingSpecies object 3) randomly select nBoundarySpecies species and create a BoundarySpecies object 4) Create nReactions reactions and store in Reactions object. This involves 5) put the network together (generate) } class BasicRNG { createCompartments() createFloatingSpecies() createBoundarySpecies() createReactions() } RNGAbstract <|-- BasicRNG note left of BasicRNG { This is how we want users to use the class. //this is a comment //can be arbitrary length. This is the selection //of rate laws that can be chosen randomly by the //algorithm rate_law_dict = dict( uni_uni = RateLaw("uni_uni", "k*A", roles = dict(k="parameter", A="substrate", B="product"), uni_bi = RateLaw("uni_bi", "k*A", roles = dict(k="parameter", A="substrate", B="product", C="product") ) options = RNGOptions(rate_law_dict) options.setNReactions(3) // set other things rng = BasicRNG(options) rr_model = rng.generate() many_models = rng.generate(10) #list of models } Compartment <-- BasicRNG : Create and\n read from BoundarySpecies <-- BasicRNG : Create and\n read from FloatingSpecies <-- BasicRNG : Create and\n read from Reactions <-- BasicRNG : Create and\n read from 'abstract class AbstractList 'abstract AbstractCollection 'interface List 'interface Collection ' 'List <|-- AbstractList 'Collection <|-- AbstractCollection ' 'Collection <|- List 'AbstractCollection <|- AbstractList 'AbstractList <|-- ArrayList ' 'class ArrayList { 'Object[] elementData 'size() ' '} ' 'enum TimeUnit { 'DAYS 'HOURS 'MINUTES '} @enduml
ce78a94d56758526aea253f0601fee953a884aff
5b7734d8d03eb1feaf235fd9f9f40ed6382d9888
/exercise46/docs/Exercise46 UML.puml
a59490c385224a9357f6e2e5913253f0e70b61ad
[]
no_license
azoomer2/zommer-a04
1252b5b3a35d414c72b65768e21a13d79aa9c5f8
fc4d94ba17066d25a0f210eb1706e27860fbbfc7
refs/heads/main
2023-09-01T01:04:14.961425
2021-10-18T16:51:43
2021-10-18T16:51:43
416,378,327
1
0
null
null
null
null
UTF-8
PlantUML
false
false
249
puml
@startuml 'https://plantuml.com/sequence-diagram class Solution46{ -makePlot(List searchTerms, int count) } class fileReader { +countEntries(String searchTerm, List list) -readFile() +getList() } Solution46 --> fileReader @enduml
e7b5170a82f2f4390f048e0390ac5be74bffc850
2cb0d17b297862de0b2876905bc69fab6a3fda1a
/diagrams/class_diagram/reverse_engineered/user.plantuml
aff4d1daee7c81cbd0cfe67e619734608f1a82d1
[ "MIT", "LicenseRef-scancode-other-permissive" ]
permissive
julienbenaouda/projectJJA
507bd714ec752d41ce1ef2f7fd05104390f34e92
9063388043b79e68640379cda5f674df62f76213
refs/heads/master
2021-04-27T17:28:29.111045
2018-06-14T19:29:11
2018-06-14T19:29:11
122,321,355
0
0
null
null
null
null
UTF-8
PlantUML
false
false
2,744
plantuml
@startuml title __USER's Class Diagram__\n package taskman { package taskman.backend { package taskman.backend.user { class Developer { + Developer() + getUserType() } } } } package taskman { package taskman.backend { package taskman.backend.user { class OperationNotPermittedException { + OperationNotPermittedException() } } } } class WrappedPrintWriter { - printWriter : PrintWriter ~ WrappedPrintWriter() ~ lock() ~ println() } class WrappedPrintStream { - printStream : PrintStream ~ WrappedPrintStream() ~ lock() ~ println() } abstract class PrintStreamOrWriter { - PrintStreamOrWriter() {abstract} ~ lock() {abstract} ~ println() } class SentinelHolder { {static} + STACK_TRACE_ELEMENT_SENTINEL : StackTraceElement {static} + STACK_TRACE_SENTINEL : StackTraceElement[] - SentinelHolder() } package taskman { package taskman.backend { package taskman.backend.user { class ProjectManager { + ProjectManager() + getUserType() } } } } package taskman { package taskman.backend { package taskman.backend.user { abstract class User { - name : String - password : String + User() + getName() - setName() + getPassword() - setPassword() {abstract} + getUserType() } } } } package taskman { package taskman.backend { package taskman.backend.user { class UserManager { - users : List<User> + UserManager() + getUsers() + getUser() + hasUser() + createUser() - createDeveloper() - createProjectManager() + removeUser() + getUserTypes() + getCurrentUser() - setCurrentUser() + hasCurrentUser() + login() + logout() } } } } Developer -up-|> User OperationNotPermittedException +-down- WrappedPrintWriter OperationNotPermittedException +-down- WrappedPrintStream OperationNotPermittedException +-down- PrintStreamOrWriter OperationNotPermittedException +-down- SentinelHolder ProjectManager -up-|> User User -up-|> UserWrapper UserManager o-- User : currentUser 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
cbbd2f3fab0531f694285584509db35319f71b81
390529a6994db132eebcf31cf5ca4ca160ba0929
/PlantUML/logic.puml
60973ff2405e3a34f1ee4ff47ef6d01bd97f61c1
[ "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
5,198
puml
@startuml package "OpenIGTLink" #DDDDDF { } package "Device" #DDDDDF { } package "LogicPackage" #DDDDDD { left to right direction 'abstract class vtkObject { '} class vtkIGTLIOObject { +InvokePendingModifiedEvent() : int +Modified() : void +SetDisableModifiedEvent() : void +GetDisableModifiedEvent() : void #vtkIGTLIOObject() -DisableModifiedEvent -ModifiedEventPending } class DeviceFactory { +New() : DeviceFactory +PrintSelf() : void +GetCreator() : DeviceCreatorPointer +GetAvailableDeviceTypes() : std::vector<std::string> +create() : DevicePointer -DeviceFactory() -~DeviceFactory() -registerCreator(): void -Creator } class CircularBuffer{ +New() : CircularBuffer +PrintSelf(): void +GetNumberOfBuffer(): int +StartPush() : int +EndPush() :void +GetPushBuffer(): igtl::MessageBase::Pointer +StartPull() : int +EndPull() :void +GetPullBuffer(): igtl::MessageBase::Pointer +IsUpdated(): int #CircularBuffer() #~CircularBuffer() #Mutex #Last #InPush; #InUse #UpdateFlag #DeviceType #Size #Data } class Connector{ -NameListType #Devices #Name #UID #Type #State #Persistent #Thread #Mutex #ServerSocket #Socket #ThreadID #ServerPort #ServerStopFlag #ServerHostname #Buffer #CircularBufferMutex #RestrictDeviceName #EventQueue #EventQueueMutex #PushOutgoingMessageFlag #PushOutgoingMessageMutex #DeviceFactory #CheckCRC ..events.. ConnectedEvent = 118944 DisconnectedEvent = 118945 ActivatedEvent = 118946 DeactivatedEvent = 118947 NewDeviceEvent = 118949 DeviceContentModifedEvent = 118950 RemovedDeviceEvent = 118951 .. +PeriodicProcess():void +SendCommand(): CommandDevicePointer +AddDeviceIfNotPresent(): DevicePointer +AddDevice(): int +GetNumberOfDevices(): unsigned int +RemoveDevice(): void +RemoveDevice(): int +DeviceContentModified() : void +GetDevice(): DevicePointer +HasDevice(): bool +SendMessage(): int +GetDeviceFactory(): DeviceFactoryPointer +SetDeviceFactory(): void +New(): Connector +PrintSelf(): void +SetName() : void +GetName() : std::string +SetUID() :void +GetUID() :int +SetServerPort() :void +GetServerPort() :int +SetType() : void +GetType() : int +SetState() : void +GetState() : int +SetRestrictDeviceName() : void +GetRestrictDeviceName() : int +SetPushOutgoingMessageFlag() : void +GetPushOutgoingMessageFlag() : int +SetPersistent() : void +GetPersistent() : int +GetServerHostname() : const char* +SetServerHostname() : void +SetTypeServer() : int +SetTypeClient() : int +GetCheckCRC() : bool +SetCheckCRC() : void +Start() : int +Stop() : int -ThreadFunction() : void -WaitForConnection() : int -ReceiveController() : int -SendData() : int -Skip() : int -GetUpdatedBuffersList() : unsigned int -GetCircularBuffer() : CircularBufferPointer -ImportDataFromCircularBuffer() : void -ImportEventsFromEventBuffer() : void -PushOutgoingMessages() : void -PushNode() : int #RequestInvokeEvent() : void #RequestPushOutgoingMessages() : void #Connector() #~Connector() } class Session{ +SendCommand() : CommandDevicePointer +SendCommandResponse() : CommandDevicePointer +SendImage() : ImageDevicePointer +SendTransform() : TransformDevicePointer +SendString() : StringDevicePointer +SendStatus() : StatusDevicePointer +New() : Session +PrintSelf() : void +StartServer() : void +ConnectToServer() : void +GetConnector() : ConnectorPointer +SetConnector() : void -Session() -Connector -waitForConnection() : bool } class Logic { -NewDeviceCallback -RemovedDeviceCallback -Connectors +DeviceEventCallback ..events.. ConnectionAddedEvent = 118980 ConnectionAboutToBeRemovedEvent = 118981 NewDeviceEvent = 118949 DeviceModifiedEvent = 118950 RemovedDeviceEvent = 118951 CommandReceivedEvent = 119001 CommandResponseReceivedEvent = 119002 .. +New() : Logic +PrintSelf() : void +CreateConnector() : ConnectorPointer +RemoveConnector() : int +GetNumberOfConnectors() : int +GetConnector() : ConnectorPointer +StartServer() : SessionPointer +ConnectToServer() : SessionPointer +PeriodicProcess() : void +GetNumberOfDevices() : int +RemoveDevice() : void +GetDevice() : DevicePointer +ConnectorIndexFromDevice() : int #Logic() #~Logic() #onDeviceEventFunc() : void #onNewDeviceEventFunc() : void #onRemovedDeviceEventFunc() : void -CreateUniqueConnectorID() : int -CreateDeviceList() : std::vector<DevicePointer> } } "OpenIGTLink" <|-- "LogicPackage" "Device" <|-- "LogicPackage" "Session" "1" *-- "1" "Connector" :contains "Connector" "1" *-- "many" "CircularBuffer" :contains "Connector" "1" *-- "1" "DeviceFactory" :contains "Logic" "1" *-- "many" "Connector" : contains "Logic" "1" *-- "many" "Session" : contains "vtkIGTLIOObject" <|-- "Connector" ' "vtkObject" <|-- "DeviceFactory" @enduml
8fe4b5d7806a3731fec2172c20eacd0d85323bae
3075b6c51514546942e45db273543621aef99dc2
/plantUmlDiagrams/Decorator.puml
db2f9aedd3a874fb12d552c7d58087bb05a05244
[]
no_license
DeclanBU/Design_Patterns_Project
8192788cd784740e14d55eb14741d7cbad9ca0e5
7329048e0ba5ce7b7725f92694ba4a0629f3d9e1
refs/heads/master
2020-03-29T00:26:47.891280
2018-12-01T23:01:46
2018-12-01T23:01:46
149,339,795
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,431
puml
@startuml abstract class Bicycle { abstract void setModel(String model); abstract String getModel(); public abstract int cost(); } class Bmx extends Bicycle { private String model; public Bmx(){ void setModel (String model){ public String getModel () { public int cost() { } class MountainBike extends Bicycle { private String model; public MountainBike(){ void setModel (String model){ public String getModel () { public int cost() { } class ExtraTenGears extends ModifiedBicycle{ public String model; Bicycle bike; public ExtraTenGears(Bicycle bike){ public void setModel(String model) { public String getModel(){ return bike.getModel(); public int cost() { } class ExtraFiveGears extends ModifiedBicycle { public String model; Bicycle bike; public ExtraFiveGears(Bicycle bike) public void setModel(String model) public String getModel(){ return bike.getModel(); public int cost() { } abstract class ModifiedBicycle extends Bicycle { public abstract String getModel(); } @enduml
e4cee4b4b77a96b732f0cab27a80be4a7bd01e6c
54f0570710d72445f30bc8261595126edc5b67ca
/log_grabber/vjuniper_logfilter.py.class.puml
a1c5bce2eb10f5affd1913fe18954e711d5d70c3
[]
no_license
deadbok/eal_programming
cab8fc7145b5115f887a7b10aad90880a799d118
33bf532b397f21290d6f85631466d90964aab4ad
refs/heads/master
2021-01-13T15:11:19.276462
2017-06-13T09:20:51
2017-06-13T09:20:51
76,203,290
1
0
null
null
null
null
UTF-8
PlantUML
false
false
155
puml
@startuml skinparam monochrome true skinparam classAttributeIconSize 0 scale 2 class VJuniperLogFilter{ -__init__() +filter() +sort() } @enduml
eff2c5c140dd3763787a9ad2dab7d8b925bf1cbb
3495a3bc8450a240a21780fb8c795c215f88000a
/docs/UC11-WarnFreelancersAboutPerformance/UC11_CD.puml
f994dce74aa83dfb74763a00b683f9266a9ee269
[]
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,291
puml
@startuml skinparam classAttributeIconSize 0 class WarnAboutFreelancerPerformanceUI{ } class WarnAboutFreelancerPerformanceController{ +sendEmail() } class Platform { +sendEmail() } class RegisterFreelancer { +getListFreelancers() +getDelayProb() } class Freelancer{ +getTaskList() } class TaskList{ +getTaskList() } class Task{ +getTexec() } class TaskExecution{ +getTaskDelay() } class Writer { +sendEmail(free) } WarnAboutFreelancerPerformanceUI ..> WarnAboutFreelancerPerformanceController WarnAboutFreelancerPerformanceController ..> Platform WarnAboutFreelancerPerformanceController ..> RegisterFreelancer WarnAboutFreelancerPerformanceController ..> Freelancer WarnAboutFreelancerPerformanceController ..> TaskList WarnAboutFreelancerPerformanceController ..> Task WarnAboutFreelancerPerformanceController ..> TaskExecution WarnAboutFreelancerPerformanceController ..> Writer Platform "1"-- "1" RegisterFreelancer: has Platform "1"-- "1" Writer: has RegisterFreelancer "1" -- "*" Freelancer: has Task "1" -- "1" Freelancer: made by Freelancer "1" -- "1" Writer: receives email from TaskList "1" -- "*" Task: has Task "1" -- "1" TaskExecution : has TaskExecution "1" -- "1" Freelancer: related to the work of @enduml
1a6c87585dd91f28d202a6ab6fd64ab4dc855259
042ce5c98b1adfc963c1f166bbe5823a6e67a9fa
/docs/class-diagram-uc8.plantuml
649f5d3f27ea6dbc8bf61da5be854ff21e47921c
[]
no_license
Phoenix1355/I4PRJ4-Web
2ef52a859f70b1914cfe81699e63c5633cb6b38a
479dfa2caae9c6f00a8135c7c7c90f1e40e5027a
refs/heads/master
2021-07-04T17:55:28.686958
2019-05-21T08:35:56
2019-05-21T08:35:56
171,445,702
2
0
null
2020-09-04T10:17:00
2019-02-19T09:33:09
Vue
UTF-8
PlantUML
false
false
900
plantuml
@startuml UC8-Logout skinparam shadowing false skinparam classAttributeIconSize 0 skinparam monochrome true skinparam backgroundColor transparent skinparam style strictuml package Nuxt { class $router <<domain>> { + currentRoute -- + push(path) : void } class $store <<domain>> { + state : object -- + commit(type, payload, options) : Promise + dispatch(type, payload) : Promise } } class header <<controller>> { -- - logout() : void } header-->$store class auth <<domain>> { + token : string <<get, set>> + user : object <<get, set>> -- + logout() : void <<action>> + AuthToken(state, token) : void <<mutation>> + AuthUser(state, info) : void <<mutation>> } $store ---> auth auth --> $router class localStorage <<boundary>> { -- + clear() : void } auth --> localStorage @enduml
e5e25f6f053aef248bcd10c5e728860749d24765
19f793bed6a7ddbe4f01616e2374a9ddc459e8b1
/doc/创建型模式/原型模式-类图(3分).puml
aa953e07e5cad97164300749e0d84400ba84e94d
[]
no_license
1wang1/design-patterns
02a87e8c2f170f2a2de4993e8f11b9ef9a522627
5ebd98248ea5a035e19a843f823971676899a212
refs/heads/master
2022-12-19T04:30:30.790952
2020-09-27T11:42:41
2020-09-27T11:42:41
272,214,620
0
0
null
null
null
null
UTF-8
PlantUML
false
false
771
puml
@startuml package shape{ class Shape{ + clone():Object } class Circle{ + clone():Object } class Rectangle{ + clone():Object } class Square{ + clone():Object } Circle --|> Shape Rectangle --|> Shape Square --|> Shape } class Client{ + main():void } class ShapeCache{ -shapeMap:HashMap +getShape(String shape):Shape +loadCache():void } Client..>ShapeCache ShapeCache ..> shape:clone note as NloadCache loadCache: shapeMap.put('Circle',new Circle()) shapeMap.put('Rectangle',new Rectangle()) shapeMap.put('Square',new Square()) end note NloadCache--ShapeCache note as NgetShape getShape(String shape): shapeMap.get('Circle').clone shapeMap.get('Rectangle').clone shapeMap.get('Square').clone end note NgetShape--ShapeCache @enduml
27efdfcedec6d7728161f1d01e9c02624319076f
77b62d62f7bb492cb0ba2fe62131338b495f3e52
/Documents/Shos.Chatter.Server/Models/ChatterContext.puml
b5b9b1a0318ba20850931960fd141f25dd287ace
[ "MIT" ]
permissive
Fujiwo/Shos.Chatter
0dc94cda60eab49363b1b04b1e189d014edf5852
41a95faba18049f3934b5b4d1268583ee43abc35
refs/heads/master
2023-03-17T23:26:10.709285
2021-03-11T05:37:09
2021-03-11T05:37:09
323,569,958
0
0
null
null
null
null
UTF-8
PlantUML
false
false
703
puml
@startuml class User { + Id : int <<get>> <<set>> + Name : string <<get>> <<set>> = "" + HasDeleted : bool <<get>> <<set>> = false + <<virtual>> Chats : ICollection<Chat>? <<get>> <<set>> } class Chat { + Id : int <<get>> <<set>> + Message : string <<get>> <<set>> = "" + UserId : int <<get>> <<set>> + <<virtual>> User : User? <<get>> <<set>> } class ChatterContext { + ChatterContext(options:DbContextOptions) + <<virtual>> Users : DbSet<User>? <<get>> <<set>> + <<virtual>> Chats : DbSet<Chat>? <<get>> <<set>> } User --> "InsertDateTime" DateTime Chat --> "InsertDateTime" DateTime Chat --> "UpdateDateTime" DateTime DbContext <|-- ChatterContext @enduml
2b8206876a05ecbea894b9138dae4ed08e4b135d
b9150ddd8d566d8427403c4e185eaff185425262
/src/main/java/onairm/com/devtool/net/gson.puml
abc53d77e2b6d4c567003c91d3654eadb25536d8
[]
no_license
zhuzhanpeng/DevTool
aeb0910363b90a3bcb78bd8b15bbe4186585a112
e8e95d1e8e7f4e419c14c4316bd29659e6b79292
refs/heads/master
2021-01-20T03:14:51.979808
2019-03-06T01:41:25
2019-03-06T01:41:25
101,356,876
0
0
null
null
null
null
UTF-8
PlantUML
false
false
399
puml
@startuml scale 600*600 title Gson源码 策略模式+工厂方法模式 Class Gson{ factories:List<TypeAdapterFactory> fromJson(String):Object toJson(Object):String } interface TypeAdapter{ --read()-- --write()-- } interface TypeAdapterFactory{ create(Gson gson, TypeToken<T> type) : <T> TypeAdapter<T> } TypeAdapter <.. TypeAdapterFactory Gson "1..*" *--> TypeAdapterFactory @enduml
4639185accaf644fa0b13b1a4a962dab3f2b3322
9738913f772d31eaa10b06e9771ea813a1d99b5f
/src/test/java/com/miss/artificial_city/artificial_city.plantuml
b92c1197eebec7689ab44a5f6c0386f9bf239298
[]
no_license
Ferdudas97/artificial_city
0b04f65d72b4ce997303116b15184e0004997f21
9945be63ca08137c4fd2c18b649fd152fbea25d5
refs/heads/master
2020-04-07T21:49:43.164094
2019-01-22T08:42:06
2019-01-22T08:42:06
158,742,335
1
0
null
null
null
null
UTF-8
PlantUML
false
false
374
plantuml
@startuml title __ARTIFICIAL_CITY's Class Diagram__\n package com.miss.artificial_city { class ArtificialCityApplicationTests { + 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
28fcb3f9d9b27b368bb0ae88e8d347f127702a43
56c20102c13a8954fc972d28603045a4f2f2087f
/src/main/java/com/liyi/design/pattern/principle/segregation/test.puml
277349d23372faa75c9273182f57517fbab11ffd
[]
no_license
liyigithub1114/design-pattern
74234027be2b8e90fe5a50afca64d35e6035be1d
3a5d9e2c96ec21c9903f34657827ade43140feec
refs/heads/master
2022-11-21T21:29:20.902171
2020-07-22T03:28:02
2020-07-22T03:28:02
281,564,379
0
0
null
null
null
null
UTF-8
PlantUML
false
false
526
puml
@startuml abstract class AbstractList abstract AbstractCollection interface List interface Collection List <|-- AbstractList Collection <|-- AbstractCollection Collection <|- List AbstractCollection <|- AbstractList AbstractList <|-- ArrayList class ArrayList { Object[] elementData size() } enum TimeUnit { DAYS HOURS MINUTES } @enduml 泛化, Generalization : <|-- 关联, Association : <-- 组合, Composition : *-- 聚合, Aggregation : o-- 实现, Realization : <|.. 依赖, Dependency : <..
77aa0b4b495fb1cc33596bf3582fa6b8a8e434c3
d975ba90a37d227caa0f1b7a6c9702356c6fd903
/uml/libapgqt/Snapshot.iuml
f139c072f633ef83c6a3b24c6a491b2adce3325c
[]
no_license
MinhNghiaD/Airplug-ClearPath
2beea0ff94574e19251700202862f25d3003c266
da5625da3744254a95fa30f395d11c8f7f7863ea
refs/heads/master
2022-11-12T17:13:37.167323
2020-06-17T06:35:10
2020-06-17T06:35:10
255,916,966
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,679
iuml
@startuml(id=snapshotLaiyang) ' ==== LaiYangSnapshot ==== class Airplug::LaiYangSnapshot { +explicit LaiYangSnapshot() +~LaiYangSnapshot() ==FUNCTIONS== +void setNbOfApp(int) +void setNbOfNeighbor(int) +void callElection() +void init() +void colorMessage(QJsonObject&, int) +bool getColor(QJsonObject&) +bool processStateMessage(ACLMessage&, bool) +bool processPrePostMessage(const ACLMessage&) +ACLMessage encodePrepostMessage(const ACLMessage&) +void finishSnapshot() +bool processRecoveringMessage(const ACLMessage&) +bool processReadyMessage(const ACLMessage&) -void requestSnapShot() -void saveSnapshot() const ==SIGNALS== +void signalRequestSnapshot(const Message&) +void signalSendSnapshotMessage(ACLMessage&) +void signalRequestElection() +void signalFinishElection() ==ATTRIBUTES== -class Private -Private* d } class LaiYangSnapshot::Private { +Private() +~Private() ==FUNCTIONS== +bool validateState(const QJsonObject&) const +bool collectState(const QJsonObject&) +bool verifyPrepost(const QJsonObject&, const QString&) const +bool allStateColltected() const +bool allPrepostCollected() const +int nbCollectedPrepost() const ==ATTRIBUTES== +Status status +bool initiator +int msgCounter +int nbWaitPrepost +int nbApp +int nbNeighbor +int nbReadyNeighbor +QHash<QString, QJsonObject> states +QHash<QString, QVector<QJsonObject>> prepostMessage } enum LaiYangSnapshot::Status { READY = 0 RECORDED RECOVERING } @enduml @startuml(id=snapshotLinks) namespace Airplug { LaiYangSnapshot *-- LaiYangSnapshot::Private LaiYangSnapshot o-- LaiYangSnapshot::Status } @enduml
daf53f7f319690c915a7b8564c7bbc2743158cbd
487fe3499dd9b1480c42067416409603f311fe29
/src/gui/gui.plantuml
46f865c870b7fb6618392f395e93a6b14457aead
[]
no_license
ddoox/PO_EventsManagement_Project
44dcad7e87ee61f0ce42c784c402d194cedffb39
c8ad7e8148f75222e86cb9b719742c34f9a38a38
refs/heads/master
2022-07-27T00:16:35.673257
2020-05-18T16:00:09
2020-05-18T16:00:09
264,986,558
0
0
null
null
null
null
UTF-8
PlantUML
false
false
3,631
plantuml
@startuml title __GUI's Class Diagram__\n package gui { class bilet { - tymczasowe : String + bilet_form : JPanel - imie_textField1 : JTextField - nazwisko_textField2 : JTextField - wydarzenie_comboBox1 : JComboBox - typbiletu_comboBox2 : JComboBox - kupBiletButton : JButton - wiek_textField1 : JTextField + komunikat_textField1 : JTextField + bilet() - refreshBilet() - createUIComponents() + save() } } package gui { class organizator_events { - log : String - pass : String - parent : JFrame - tymczasowyWybor : String + panel1 : JPanel - Economy_progressBar1 : JProgressBar - Regular_progressBar2 : JProgressBar - VIP_progressBar3 : JProgressBar - Zysk_textField1 : JTextField - events_comboBox1 : JComboBox - odświeżButton : JButton - utwórzWydarzenieButton : JButton - witaj : JLabel - calkowityZysk_textField1 : JTextField - usuńWydarzenieButton : JButton + organizator_events() - createUIComponents() - refresh() - delete() + inform() } } package gui { class organizator_form { - log : String - pass : String - parent : JFrame + panel1 : JPanel - cenapodstawowa_textField2 : JTextField - VIP_textField6 : JTextField - Regular_textField7 : JTextField - Econowmy_textField8 : JTextField - typZespol_textField11 : JTextField - nazwaWydarzenie_textField1 : JTextField - typSali_comboBox2 : JComboBox - pow_textField3 : JTextField - Ramka : JPanel - nazwaSali_textField4 : JTextField - zapiszButton : JButton - nazwaZespol_textField5 : JTextField - cenaZespol_textField9 : JTextField - lokalizacja_textField10 : JTextField - data_textField1 : JTextField - godzina_textField1 : JTextField - takNieCheckBox : JCheckBox + organizator_form() - createUIComponents() } } package gui { class organizator_login { + panel1 : JPanel - textField1 : JTextField - passwordField1 : JPasswordField + loginButton : JButton - registerButton : JButton + organizator_login() - createUIComponents() } } package gui { class witamyGUI { + panel1 : JPanel - wejdźButton : JButton - klientRadioButton : JRadioButton - organizatorRadioButton : JRadioButton + witamyGUI() {static} + main() } } bilet o-- Wydarzenie : wydarzenie bilet o-- ListaOrganizatorów : listaOrganizatorów bilet o-- Organizator : organizator organizator_events -up-|> Obserwator organizator_events o-- Organizator : organizator organizator_events o-- ListaOrganizatorów : lista organizator_events o-- Zespół : zespol organizator_events o-- Sala : sala organizator_events o-- Obserwator : obserwator organizator_form o-- Organizator : organizator organizator_form o-- Wydarzenie : wydarzenie organizator_form o-- Sala : sala organizator_form o-- Zespół : zespół organizator_form o-- ListaOrganizatorów : lista organizator_login o-- ListaOrganizatorów : lista witamyGUI o-- ListaOrganizatorów : lista 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
9ae67f0c4a1778a34fe7f5402a82e88bad2a7b5a
91fceecc2c8cf6309741e0fb715cec95f8558ca8
/assets/dp-strategy.plantuml
48ccda386d757501dc15438343f18decf1ea2ad4
[ "MIT" ]
permissive
ohm-softa/ohm-softa.github.io
dd8b3fbbcce62d3625603376f0771ab62557d76a
7479445d2b5598a9aaaa4f37ffd76436fc81482e
refs/heads/master
2023-07-20T07:43:25.665737
2023-07-12T08:10:32
2023-07-12T08:10:32
170,150,460
20
42
MIT
2023-06-24T15:22:55
2019-02-11T15:16:01
HTML
UTF-8
PlantUML
false
false
314
plantuml
@startuml skinparam linetype ortho class Context interface Strategy { + algorithm() } Context o--> Strategy class ConcreteStrategyA implements Strategy { + algorithm() } class ConcreteStrategyC implements Strategy { + algorithm() } class ConcreteStrategyB implements Strategy { + algorithm() } @enduml
36690bd4c602e5577a91b008edc3ab35f9b4a93b
ae18f3805c2044dd28acb0e54142ffa3a213decf
/templatemethod/class.puml
128eb7559cf7d8ca6e9b3e44dfc24ee5fad534b4
[]
no_license
GochenRyan/DesignPatternsInPython
c125bff53b4edc73cba0eef4ed4408033ff28711
47103f46d9b803c0f53902e83daf7b7be032903b
refs/heads/main
2023-06-05T12:40:40.219251
2021-06-21T16:48:52
2021-06-21T16:49:05
366,058,078
0
0
null
null
null
null
UTF-8
PlantUML
false
false
310
puml
@startuml class CAbstract{ primitiveOperation1() primitiveOperation2() TemplateMethod() } class CConcreteA{ primitiveOperation1() primitiveOperation2() } class CConcreteB{ primitiveOperation1() primitiveOperation2() } CAbstract <|-- CConcreteA CAbstract <|-- CConcreteB @enduml
165419725bf2193dd2f996f789f569b1265c8196
d97b774fd95a8e98e37c46ee1771f6e6e407a148
/uml/api/StagedOrderSetReturnItemCustomFieldAction.puml
7252fc4a87886d9a8c9f3cf970f75f28ee2fef31
[]
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
570
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 StagedOrderSetReturnItemCustomFieldAction [[StagedOrderSetReturnItemCustomFieldAction.svg]] extends StagedOrderUpdateAction { action: String returnItemId: String returnItemKey: String name: String value: [[Object.svg Object]] } interface StagedOrderUpdateAction [[StagedOrderUpdateAction.svg]] { action: String } @enduml
a25b9ac674b8e20e24bf47351c51ead2c99b2ff1
f601c40e50e0f113f480ae2de3e80bc4a3172f86
/docs/Solution/Cloud-Broker/Logical.puml
56a966300a71c97307f3b168921baf24606ce92d
[]
no_license
CAADE/C3
07307a3795888672df18e99932e25951911eaf1d
4bbe48a335b936cf75808d0902b32f73b99ff958
refs/heads/master
2022-11-24T14:52:05.724752
2019-06-19T03:32:46
2019-06-19T03:32:46
67,574,474
1
0
null
2022-11-22T11:28:45
2016-09-07T05:19:16
JavaScript
UTF-8
PlantUML
false
false
1,373
puml
@startuml package "Artifact Repository" #dddddd { class "Service" { } } package "Application Orchestrator" #dddddd { class "Service Instance" { } class "Resource Request" { string type number quantity string name } class Request { } } Service *--> "Service Instance" package "Cloud Broker" #lightblue { interface "Cloud Broker" { broker() resource() cloud() } class Resource { string name boolean disabled number capacity number available add(name, type, capacity) remove(name, type, capacity) list() } class ComputeResource { } class NetworkResource { } class StorageResource { } Resource <|-- ComputeResource Resource <|-- StorageResource Resource <|-- NetworkResource } package Cloud #dddddd { class Reservation { datetime goodTil } abstract Hardware { } class Compute { } class Network { } class Storage { } Hardware <|-- Compute Hardware <|-- Storage Hardware <|-- Network } CLI ()-- "Cloud Broker" REST ()-- "Cloud Broker" Web ()-- "Cloud Broker" "Cloud Broker" .. Resource Resource o--> Hardware "Service Instance" o--> Resource Request o-> "Service Instance" Request *--> "Resource Request" Reservation o--> "Request" Reservation o--> "Hardware" Reservation .. Resource @enduml
e80769e89084a6f4e4290aef84b4b4bbeeafe23a
e3f608b2d2d160553212e823e0783e7d08f24c7b
/exercise45/docs/main.puml
9df1571f14e8527be826a79d7c4b5b866ba7aaa7
[]
no_license
nader-fares/fares-a04
3635a6f457bed61957ba581c90cca9a7ecf38299
3232d3ff5b3e4204189b67c6bd8f019dfce49873
refs/heads/main
2023-09-04T05:42:59.179310
2021-10-18T02:27:26
2021-10-18T02:27:26
415,470,723
0
0
null
null
null
null
UTF-8
PlantUML
false
false
334
puml
@startuml 'https://plantuml.com/sequence-diagram 'only have one class for solution since nothing is being created; each instance of 'utilize' is simply being replaced with 'use' class Solution45 { String outputString String outputFile +main(String[]) +readAndReplace(): String +writeToFile(String outputFile, String output) } @enduml
2d9240faeac06e169132bacd9f9003485b18149f
740ec837551b09f09677854163ecd30ba6ea3cb7
/documents/sd/plantuml/application/Core/MORR/BootstrapperConventions.puml
ccd7ff01eb917620d922af8ff90ab391c58faadf
[ "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
201
puml
@startuml skinparam monochrome true skinparam classAttributeIconSize 0 !startsub default class BootstrapperConventions { + {static} GetRegistrationBuilder() : RegistrationBuilder } !endsub @enduml
1cd06fcd976ff04a5575a88c31e8825ba44d6494
61f77755f3ca65fa0a0dfbbdc51137e01ded03fc
/design_model/src/main/java/example/designpattern/behavioral/observer/Observer Pattern.puml
9a2b52c258dfffad300e8741895799773e761053
[]
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
975
puml
@startuml interface Observer{ +{abstract} String getName(); +{abstract} void setName(String name); +{abstract} void help(); +{abstract} void beAttacked(AllControlCenter acc); } class Player{ -String name; +Player(String name); + void setName(String name); + void help(); + void beAttacked(AllControlCenter acc); } note bottom:acc.notifyObserver(name); abstract class AllyControlCenter{ #String allyName; #ArrayList players; +void setAllyName(String allyName); +String getAllyName(); +void join(Observer obs); +void quit(Observer obs); +{abstract} void notifyObserver(String name); } class ConcreteAllyControlCenter{ +ConcreteAllyControlCenter(String allyName); +void notifyObsever(String name); } note bottom:for(Observer obs:players){\nif(!((Observer)obs).getName().equalsIgnoreCase(name)){\n((Observer)obs).help();}} Player .up.|>Observer ConcreteAllyControlCenter-up-|>AllyControlCenter AllyControlCenter o-right->Observer Observer .left.>AllyControlCenter @enduml
02ce812ff3d524d0fbfe600e47d3127e57e8297c
28a37bba319600046f93f3da70fc102b8445ea00
/AndroidCodeBase/.idea/modules/BusinessBase/BusinessBase.plantuml
f3ed55572d48b7e0d890171c32dd3581ed4cda20
[]
no_license
MaxonZhao/CPEN391_group25
600d7a4ec8059791cf083669b8b86817bddc2994
6fd9517b7ebc4cf48c227ae8de51ef62ac268161
refs/heads/main
2023-04-01T17:28:55.720909
2021-04-17T06:39:19
2021-04-17T06:39:19
332,349,573
3
2
null
2021-04-16T18:48:01
2021-01-24T02:15:48
VHDL
UTF-8
PlantUML
false
false
922
plantuml
@startuml title __FLAPPYBIRD.BUSINESSBASE's Class Diagram__\n namespace androidx.databinding { interface androidx.databinding.DataBindingComponent { } } namespace androidx.databinding { namespace library.baseAdapters { class androidx.databinding.library.baseAdapters.BR { } } } namespace com.cpen391.businessbase { class com.cpen391.businessbase.BR { } } namespace com.cpen391.businessbase { class com.cpen391.businessbase.BuildConfig { } } namespace com.cpen391.businessbase { class com.cpen391.businessbase.DataBinderMapperImpl { } } com.cpen391.businessbase.DataBinderMapperImpl -up-|> androidx.databinding.DataBinderMapper 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
df69841b7edc13a0a34df09e9b13c5538963a9ac
084fcc4a31b60fe11f3f647f7d49a3c1c6621b44
/kapitler/media/uml-klasse-http-metoder.puml
e4fb70693fa9dd1909e278095b0c28b9fa20f610
[]
no_license
arkivverket/noark5-tjenestegrensesnitt-standard
299f371a341e59402d49bfc11ee9e2672dad657e
03025f8b9f1496f4a2f5b155e212a44768390274
refs/heads/master
2023-06-10T02:19:28.432679
2023-06-09T08:40:40
2023-06-09T08:40:40
136,293,843
7
11
null
2023-08-22T10:40:36
2018-06-06T07:58:53
Python
UTF-8
PlantUML
false
false
282
puml
@startuml skinparam classAttributeIconSize 0 package "class Tjenester" <<Frame>> { class REST-tjenester << interface >> { +GET (Request) : Response +PUT (Request) : Reponse +POST (Request) : Response +PATCH (Request) : Response +DELETE (Request) : Response } } @enduml
2ca59615f878f3240df4032ebe838a498a56533a
f8e41b4993b6abfde356ef50f28addade21ab376
/Tooling-Landscape/Unanimous-Understanding/Data Structures/DataExchangeFormat.puml
3cf7bf24f1af7492078f36054a2cde40710109ec
[ "CC0-1.0", "LicenseRef-scancode-free-unknown" ]
permissive
Open-Source-Compliance/Sharing-creates-value
60f287f1d5bcc43b8cb32b63707875b6cf308e2f
f3353131e220fd3fb0232bb562ffd5c850643833
refs/heads/master
2023-06-22T18:05:30.331647
2023-06-07T11:54:05
2023-06-07T11:54:05
47,191,645
86
33
CC0-1.0
2022-12-22T21:37:35
2015-12-01T13:35:19
Rich Text Format
UTF-8
PlantUML
false
false
2,821
puml
@startuml class BuildEnvDescription { String name String version String uniqueIdentifier Text description } class Content{ Enum type String uniqueIdentifier Archive artifact URL externalSource URL internalSource URL softwareHeritageSource } class Constraint { Enum type String uniqueIdentifier String name Text description Enum scope } class CopyrightECCInformation { Enum type Text content } class DataModelMetaInformation { String name String version String uniqueIdentifier } class Deliverable{ Enum type String uniqueIdentifier String name String version Text description Enum distributionModel Enum licensingModel Enum riskExposure } class DisclosureDocument { String name String version String uniqueIdentifier Text legalWording Text contactData } class DigitalArtifact { Enum type String uniqueIdentifier String name String version URL homepage BOOLEAN isModified Text generalLicenseAssessment } class Coordinate { String coordinate } class LicenseExpression { String UniqueIdentifier String licenseExpression } class LicenseSelector { } class License { String name String uniqueIdentifier String spdxShortIdentifier Enum riskLevel Enum category String acknowledgement Enum osiApproved String text Text notes URL[] references Text standardHeader } class ProductInformation { String name String version String uniqueIdentifier Text description Enum criticality Text developmentDetails } class SwBundle{ Enum type } LicenseExpression "0..1" -- DigitalArtifact : declaredLicenses LicenseExpression "0..1" -- DigitalArtifact : foundLicenses LicenseExpression "0..1" -- DigitalArtifact : concludedLicenses LicenseExpression "1" -- LicenseSelector : usedLicenses License "1..*" -- "1..*" LicenseExpression License "0..*" - "0..*" Constraint Constraint "0..*" - "0..*" ProductInformation CopyrightECCInformation "0..*" -- DigitalArtifact : copyrightInformation CopyrightECCInformation "0..*" -- DigitalArtifact : eccInformation Coordinate "1..*" -- DigitalArtifact Deliverable - SwBundle : deliveredItem Deliverable -- DisclosureDocument (Deliverable, SwBundle) .. BuildEnvDescription Content "0..*" -- DigitalArtifact DigitalArtifact "1..*" -o "1..*" Deliverable (DigitalArtifact, Deliverable) .. "0..1" LicenseSelector Content "1..*" -- SwBundle ProductInformation -- "1..*" CopyrightECCInformation ProductInformation -- "1..*" Deliverable ProductInformation *- "0..*" ProductInformation DigitalArtifact -- DisclosureDocument : readsDataFrom < 'Formatting DigitalArtifact -[hidden]- Coordinate DigitalArtifact -[hidden]- Content LicenseSelector -[hidden]- Deliverable LicenseExpression -[hidden]- LicenseSelector LicenseSelector -[hidden]- DigitalArtifact @enduml
b2790e0712d3ee25d99e7774529a4680294b6c47
bcb7fd9ec9e69e52780b27da867b8055dfdc043c
/src/lattice/ContextWriter.iuml
aded6457f28cc2748d5e99e867fec9635c9f2ff7
[ "CECILL-B" ]
permissive
vanthonguyen/lattice-sequence
2e962d089b0053ba90332932fe3881dfe8ec71ac
72ebfe551ef013da521b81121e3f98164b2a00bf
refs/heads/master
2020-04-15T07:22:32.920465
2015-02-01T17:33:59
2015-02-01T17:33:59
null
0
0
null
null
null
null
UTF-8
PlantUML
false
false
114
iuml
package lattice { interface ContextWriter { +void write(Context context, BufferedWriter file) } }
7a027edc6dac228af23b31c0496ec9761acbe88b
2bf89eda78eb374c296e4fa208e875aa0cc9fbd4
/test6/src/class.puml
7dd13ffb0c4353c3bba998eb36734e4176c4c9a4
[]
no_license
somono/is_analysis
bb42b23f09e4941db953e0e5721bea23ed7642d8
b7d1028a5b41f2f751a7c63e88e42f49c86adb4d
refs/heads/master
2020-03-07T17:34:28.014218
2018-06-07T14:21:04
2018-06-07T14:21:04
127,615,055
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,623
puml
@startuml class users { <b>user_id</b> (用户ID) user_name (用户真实姓名) github_username (用户GitHub账号) update_date (用户GitHub账号修改日期) password (用户密码) } class teachers{ <b>teacher_id</b> (老师工号) department (老师所属部门) teach_term(授课学期) teach_course(教授课程) test_sum (已发布的作业ID集合) } class students{ <b>student_id</b> (学号) class_id (班级) result_sum(成绩汇总) choose_term(所选学期) choose_course(所选学科) } class classes{ <b>class_id</b> (班级编号) className (班级名称) students(学生集合) } users <|-down-- students users <|-down-- teachers classes "1" -right- "n" students class term{ <b>term_id</b> (学期号) term_name(学期名称) } class course{ <b>course_id</b> (课程编号) course_name(课程名称) } class score { <b>student_id</b> (学号) <b>test_id</b> (实验编号) eachScore(每项得分) score_sub (总分数) remark (评价) update_date (评改日期) } class tests { <b>test_id</b> (实验编号) test_title (实验名称) term_id (学期编号) test_link (实验github链接) } students "n" -- "n"term students "1" -down- "n"score teachers "n" -- "n" term term "n" -- "n" course course "1" -left- "n" tests course "1" -left- "n" score score "n" -- "1" tests @enduml
4ed1148e0da9b8f3b74bac486204926387f77282
b43991e55b5b0847b2906757bda4f889c97270b4
/doc/client.puml
16c8184ef714f81a672bbb68fabe0392f80a20d2
[]
no_license
Westerdals/pgr200-eksamen-Alacho2
6d3ea7b447268f8ce7a51cec051a4df634f32baa
02495cc3e00ebbc66575ae3f993c02299b281c69
refs/heads/master
2020-04-04T02:06:54.452177
2018-11-11T21:49:32
2018-11-11T21:49:32
155,689,635
0
1
null
null
null
null
UTF-8
PlantUML
false
false
1,223
puml
@startuml package no.kristiania.pgr200.cli { class ClientMain { } class DecodeArgs { } class InteractiveClient { } class InteractiveRetrieve extends CommandHandler { } class InteractiveInsert extends CommandHandler { } class InteractiveUpdate extends CommandHandler { } class InteractiveDelete extends CommandHandler { } class InteractiveHelp extends CommandHandler { } abstract class CommandHandler { } class Command { } class StringCommand extends Command { } class NumberCommand extends Command { } class DateCommand extends Command { } class TimeCommand extends Command { } class BooleanCommand extends Command { } class BasicCommand extends Command { } class ParseCommands { } ClientMain -- DecodeArgs ClientMain -- ParseCommands Command -- ParseCommands DecodeArgs -- InteractiveClient InteractiveClient -- InteractiveInsert InteractiveClient -- InteractiveRetrieve InteractiveClient -- InteractiveUpdate InteractiveClient -- InteractiveDelete InteractiveClient -- InteractiveHelp } package no.kristiania.pgr200.io { class RequestHandler{ } class Request{ } class RequestBodyHandler{ } class Response{ } Request *-- RequestHandler Request -- RequestBodyHandler Response *-- RequestHandler } @enduml
e7d2ef10c6823e33660615c094699f82cc956f2f
63114b37530419cbb3ff0a69fd12d62f75ba7a74
/plantuml/Library/PackageCache/com.unity.test-framework@1.1.16/UnityEditor.TestRunner/GUI/Views/TestListGUIBase.puml
c1661f329c50688b7e7e6b43346c865e5887a0f0
[]
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
678
puml
@startuml abstract class TestListGUI { + <<virtual>> PrintHeadPanel() : void + HasTreeData() : bool + <<virtual>> RenderTestList() : void + <<virtual>> RenderNoTestsInfo() : void + RenderDetails() : void + Reload() : void + Repaint() : void + Init(window:TestRunnerWindow, rootTest:ITestAdaptor) : void + UpdateResult(result:TestRunnerResult) : void + UpdateTestTree(test:ITestAdaptor) : void + RebuildUIFilter() : void + RepaintIfProjectPathChanged() : void } class "List`1"<T> { } TestListGUI o-> "newResultList<TestRunnerResult>" "List`1" TestListGUI --> "TestMode" TestMode TestListGUI --> "TestPlatform" TestPlatform @enduml
3fded3e9a2500131795620d973c8701f871bedee
3b861a1eb7939432fedec3009599b09f18241bca
/class/7.抽象与静态.puml
54d6ba53034c99933ca5409cc25cf6668aa36f04
[]
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
302
puml
@startuml ' 通过修饰符 {static} 或者 {abstract},可以定义静态或者抽象的方法或者属性。 ' 这些修饰符可以写在行的开始或者结束。也可以使用 {classifier} 这个修饰符来代替 {static}. class Dummy { {static} String id {abstract} void methods() } @enduml
7e42387d38f359641e82223462cccada2e091e63
3150c7ff97d773754f72dabc513854e2d4edbf04
/P3/STUB_Yeste_Guerrero_Cabezas/libraries/concordion-2.1.1/src/test-dummies/java/spec/concordion/common/results/runTotals/testsuite/successIndex/successIndex.plantuml
fc6b3d854dbad913b3729d29c69c5c664f8cfe53
[ "WTFPL", "Apache-2.0" ]
permissive
leRoderic/DS18
c8aa97b9d376788961855d6d75996990b291bfde
0800755c58f33572e04e7ce828770d19e7334745
refs/heads/master
2020-03-29T05:14:14.505578
2019-11-07T18:01:37
2019-11-07T18:01:37
149,574,113
0
0
null
null
null
null
UTF-8
PlantUML
false
false
791
plantuml
@startuml title __SUCCESSINDEX's Class Diagram__\n package spec.concordion.common.results.runTotals { package spec.concordion.common.results.runTotals.testsuite { package spec.concordion.common.results.runTotals.testsuite.successIndex { class SuccessIndex { } } } } package spec.concordion.common.results.runTotals { package spec.concordion.common.results.runTotals.testsuite { package spec.concordion.common.results.runTotals.testsuite.successIndex { class SuccessSpec { + sleep() } } } } 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
05e2216528934b5c15a4a9b1d3282d44e2d22094
808face7bec53d96453716444728a1b0d03fbfaa
/src/_uml/Onitama.puml
7370b1baf6117fb7acf172803a347d462c9be94f
[]
no_license
danielbeeke/onitama
fe377d7b8aff80142caadaf2f0eb29a5dd32252d
ea34086c90c2c3dc1dd635b8677619c8dd2d3d14
refs/heads/master
2021-09-04T06:49:09.828223
2018-01-16T21:27:27
2018-01-16T21:27:27
107,873,516
0
1
null
null
null
null
UTF-8
PlantUML
false
false
628
puml
@startuml class Helpers { + fisherYatesShuffle(items) + flipCoordinates(x, y) + guid() } class Connection { + easyP2P } class Card { - game - name - description - color - owner - sets[] + swap() } class Piece { - game - x - y - player + hover() + click() + moveOffBoard() } class State { - game - player1 - player2 - selectedCards[] + serialize() + deserialize(state) + highlightCardSets(piece, card) + movePiece(piece, card, x, y) } class Tile { - game - x - y + hover() + click() } class Game { - allCards[] - state - tiles[] + newGame() + flipState(state) } class Player { - game - card1 - card2 - pieces[] } @enduml
ed98342a45ae7bf6b648fabe391c54284ebe6ae1
80829fc2f588e2228fbfc38be958f22bcee70e6e
/docs/diagrams/DataDiagram.puml
55712b50996facdd70b45a18b27a086d05229bc0
[]
no_license
WeiXuanYap/tp
2ed79a15a1688308b758a748a12343fde8bcb463
e09617825d920e9132ce5a07aa473e0c7ad1d872
refs/heads/master
2023-09-01T22:28:11.481122
2021-11-12T15:22:58
2021-11-12T15:22:58
null
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,311
puml
@startuml 'https://plantuml.com/class-diagram' hide circle skinparam classAttributeIconSize 0 class AllRecordList class RecordList enum Category <<enum>> abstract class "{abstract}\n Record" as Record AllRecordList -down->"12 " RecordList RecordList -down->"1 " Budget RecordList -down->"*" Loan RecordList -down->"*" Expenditure Budget -down-|> Record Expenditure -down-|> Record Loan -down-|> Record Expenditure -up.> Category RecordList -[hidden]left-> Category class AllRecordList { - year: int } class RecordList { - budget: Budget + addBudget(double spendingLimit, boolean isLoadingStorage): void + addExpenditure(String description, double amount, LocalDate date, Category category): void + void addLoan(String name, double amount, LocalDate date) } class Expenditure { # description: String # date: LocalDate # category: Category + toString(int indexOfExpenditure): String } class Budget { # description: String # date: LocalDate # category: Category } class Loan { # debtorName : String # date : LocalDate # dueDate : LocalDate + getDueDateString() : String } class Record { # amount : double # month : int } enum Category { XYZ } note left XYZ = GENERAL, GIFTS, TECH etc. end note @enduml
590f64292713e75c91ef9d24f9e759869aa2363a
a4780f35709afddcca3092a870ec7d5e67444f6f
/DOC/Metric_01.puml
facea87e5432eabebeab8cd48b0d08c0046e70aa
[]
no_license
marekz/metric_test
9caa905146e8d3239c55764755d9ac18ca66417f
2430aae769660e24d1df4ac94d365dad1b18e55b
refs/heads/master
2021-01-01T16:29:07.438848
2017-10-31T15:09:08
2017-10-31T15:09:08
97,843,867
0
0
null
null
null
null
UTF-8
PlantUML
false
false
753
puml
@startuml class Metric { resultCompare() sendNotification() } class ResultCompare{ currentValue previousValue dataSetType -- CmpMethods() -- return -- (-1;0;1) } class Notification { sendTo message -- sendMethod() -- return -- send message } Metric .down.> ResultCompare Metric .down.> Notification class SendMethod{ sendMethod() -- return -- send method } class DataSet { value date dataSetType -- getValue() getDate() getDataSetType() -- return -- return date to compare and info about metric type } Notification .right.> SendMethod ResultCompare .left.> DataSet class CmpMethods { cmpMethod() -- return -- select method } ResultCompare .down.> CmpMethods @enduml
c51ca4dc455d7e035c1a0b82c8528bc8a9e5654e
4cabba3859d6c3239fb2616a86ee760341a70249
/TD2 2.1.plantuml
c7f0ad3020896b3238e1d053b4040a235b4de77f
[ "MIT" ]
permissive
El-FaroukA/bcoo-El-FaroukA
2ed63255825fb8ba923a0e69dbf11eb8ff340167
1e01736ddfbbfd5e09d06e7a955344881924bb08
refs/heads/main
2023-03-14T16:15:49.166454
2021-03-11T09:55:04
2021-03-11T09:55:04
335,656,627
0
0
MIT
2021-02-03T14:46:51
2021-02-03T14:46:50
null
UTF-8
PlantUML
false
false
491
plantuml
@startuml class Proprietaire { nom adresse } class Chien { nom dateDeNaissance sexe } class Race { } class Ville { dateOrg } class Concours { classement } class Participer { dateParticipation } class Posseder{ dateDePossession } Proprietaire "0..*" -- "1..10" Chien Chien "0..10" -- "2..*" Concours Chien -- "1" Race Concours "0..1" -- "*" Ville (Chien, Proprietaire) . Posseder (Chien, Concours) . Participer @enduml
1c8a1d5652f5ff7ce59897942eec4b92d1a17b61
631e01d0f54d967c0a972d30c5cf755c5561e700
/uml/XGimi-4K DetailModle.puml
646fd5e06d3d4e3c0eb42363e3d0eec0a2623dce
[]
no_license
kivensolo/GreekMythologyRep
69081d14a2ab7e73182563bcb9623119dbf77aee
4458e58e0151e303edd2cc271546d272d950daa9
refs/heads/master
2023-08-03T08:06:55.697170
2023-07-27T10:38:41
2023-07-27T10:38:41
49,255,679
1
1
null
null
null
null
UTF-8
PlantUML
false
false
1,589
puml
@startuml interface IDetailsDataView abstract class BaseDetailsView note left: 详情页顶层View \n1.初始化焦点处理\n2.focuse事件传递 class BaseDetailsView extends FrameLayout abstract class AbsDetailsAuthView note right: implements View.OnClickListener\n鉴权逻辑及统一业务处理层\n(播放、试看、会员购买按钮处理) abstract class AbsDetailsDataView extends BaseDetailsView abstract class AbsDetailsDataView implements IDetailsDataView interface IPlayVideoView note left: 播控行为UI抽象层 abstract class AbsDetailsAuthView extends AbsDetailsDataView abstract class AbsDetailsAuthView implements IPlayVideoView abstract class AbsDetailsSelectedView note left: 【选集控件交互层】\n 添加选集控件到视图中!!\n 设置选集控件的初始index abstract class AbsDetailsSelectedView extends AbsDetailsAuthView abstract class AbsDetailsSelectedView implements BaseTVListShowView.OnSelectedTVNumListener{ # initView() # addSerialsView() } abstract class XGimiDetailsView abstract class XGimiDetailsView extends AbsDetailsSelectedView{ # setData(DATA data) # abstract initData() } abstract class FkDetailsView note left: 影片详情UI层,上半部分的\n布局填充及UI元素的初始化 abstract class FkDetailsView extends XGimiDetailsView class Garden4KPlayVideoView note left: 具体业务层 class Garden4KPlayVideoView extends FkDetailsView class YiFangHeaderView note right: 具体业务层\n选集控件serialsView初始化\n和TitleText设置 class YiFangHeaderView extends FkDetailsView @enduml
ad861e9c7653393e072a2a6a75c26b4c5a526951
bf10f40e2d28c786a3faaeecddab8454162a513d
/classes.plantuml
4eea25ca620294c53d2099da2824d62473203431
[]
no_license
bgmir607605/college
09a2968eaf307ff259e57c26b117fa7efb16edaa
01fc285e88469f1945bf144de01bcbe572627449
refs/heads/master
2021-01-10T18:07:45.429414
2015-09-30T12:49:13
2015-09-30T12:49:13
39,644,106
0
0
null
null
null
null
WINDOWS-1251
PlantUML
false
false
8,656
plantuml
@startuml top to bottom direction skinparam headerFontSize 30 skinparam headerFontStyle bold skinparam classAttributeIconSize 0 scale 1.0 package DB { class DB.MainDB <? extends DB> { .. Methods .. +del(String, String) : void +delUpdate(String) : void +getBoxList(String, String, String) : String[] +getBoxList(String, String) : String[] +getTab(String, String) : String[][] +getTab(String) : String[][] +ins(String) : void .. Static .. + {static} test() : boolean } class DB.SheduleDB <? extends DB> { .. Methods .. +getArrAvailableShedule(String, String) : String[][] +getArrDisciplines(String[][]) : String[][] +getArrLoads(String) : String[][] +getArrTeachers(String[][]) : String[][] +getGroupId(String) : String +isAvailableShedule(String, String) : boolean } class DB.DB { .. Fields .. ~rs : ResultSet ~stmt : Statement .. Methods .. .. Static .. ~ {static} closeCon() : void ~ {static} conn : Connection ~ {static} password : String ~ {static} url : String ~ {static} userName : String } } package TeacherLoad { class TeacherLoad.infoPanel { .. Fields .. -jLabel1 : JLabel -jLabel2 : JLabel -jLabel3 : JLabel .. Methods .. -initComponents() : void } class TeacherLoad.hoursPanel { .. Fields .. -jLabel1 : JLabel -jLabel2 : JLabel -jLabel3 : JLabel -jLabel4 : JLabel -jLabel5 : JLabel -jLabel6 : JLabel .. Methods .. -initComponents() : void } class TeacherLoad.Form { .. Fields .. -jLabel1 : JLabel -jLabel2 : JLabel -jLabel3 : JLabel .. Methods .. -initComponents() : void .. Static .. + {static} main() : void } } package gui { class gui.EditForm { .. Fields .. +fName : JTextField ~id : int -jButton1 : JButton +lName : JTextField +mName : JTextField ~oldFName : String ~oldLName : String ~oldMName : String ~panel : Teacher ~q : String .. Methods .. -initComponents() : void -jButton1ActionPerformed(ActionEvent) : void } class gui.main { .. Methods .. .. Static .. + {static} main() : void } class gui.Checks { .. Methods .. .. Static .. + {static} notEmpDiscipline() : boolean + {static} notEmpGroup() : boolean + {static} notEmpSpecialty() : boolean + {static} notEmpTeacher() : boolean + {static} notEmpTeacherLoad() : boolean + {static} testConnect() : boolean } } package model { class model.MyTable { .. Fields .. ~v : String[][] .. Methods .. ~getData(String, String[]) : void } class model.LoadsForGroup { .. Fields .. ~arrDisciplines : String[][] ~arrLoads : String[][] ~arrTeachers : String[][] .. Methods .. +getArrDisciplines() : String[] +getArrTeacherForDiscipline(String) : String[] +getDisciplineId(String) : String +getDisciplineNameOnId(String) : String +getDisciplineOnTeacherLoadId(String) : String +getGroupId() : String +getLNameTeacherOnId(String) : String +getLNameTeacherOnTeacherLoadId(String) : String +getStringOfTeacherLoadsId() : String +getTeacherId(String) : String +getTeacherLoadId(String, String) : String +setArrDisciplines() : void +setArrLoads() : void +setArrTeachers() : void +setGroupId(String) : void .. Static .. ~ {static} groupId : String } } package shedule { class shedule.AvailableShedule { .. Fields .. ~AvailableShedule : String[][] ~date : String ~shedule : Shedule .. Methods .. ~setAvailableLesson(String[]) : void ~setAvailableShedule() : void } class shedule.LessonPanel { .. Fields .. ~arrToInsert : String[][] +check : JCheckBox -label : JLabel ~number : int +subGroupI : JComboBox +subGroupII : JComboBox +teacherI : JComboBox +teacherII : JComboBox .. Methods .. -checkActionPerformed(ActionEvent) : void +getArrToInsert() : String[][] -initComponents() : void +isNotEmptyLesson(JComboBox) : boolean +resetLesson() : void +selectDiscipline(JComboBox, JComboBox) : void +setDisciplinesBox() : void +setLesson(String, String, String) : void +setNumber(int) : void +setTotalLesson() : void +setValueOfArrToInsert(int, String, Object, Object) : void -subGroupIActionPerformed(ActionEvent) : void -subGroupIIActionPerformed(ActionEvent) : void -subGroupIIPopupMenuWillBecomeInvisible(PopupMenuEvent) : void -subGroupIPopupMenuCanceled(PopupMenuEvent) : void -subGroupIPopupMenuWillBecomeInvisible(PopupMenuEvent) : void -subGroupIPopupMenuWillBecomeVisible(PopupMenuEvent) : void } class shedule.Shedule { .. Fields .. ~AvailableShedule : String[][] ~arrLessonPanels : LessonPanel[] ~arrToInsert : String[][] ~available : AvailableShedule +comboDate : comboDate +groupShedule : JComboBox -jButton1 : JButton -jButton2 : JButton -jButton8 : JButton -jLabel4 : JLabel -jLabel5 : JLabel -lessonP1 : LessonPanel -lessonP2 : LessonPanel -lessonP3 : LessonPanel -lessonP4 : LessonPanel -lessonP5 : LessonPanel .. Methods .. +addShedule() : void ~getQuaryToInsert() : String -groupShedulePopupMenuWillBecomeInvisible(PopupMenuEvent) : void -groupShedulePopupMenuWillBecomeVisible(PopupMenuEvent) : void +initArrLessons() : void +initArrToInsert() : void -initComponents() : void -jButton1ActionPerformed(ActionEvent) : void -jButton2ActionPerformed(ActionEvent) : void -jButton8ActionPerformed(ActionEvent) : void ~resetLessons() : void ~selectGroup() : void ~setGroupsBox() : void +setLesson(String, int, String, String) : void .. Static .. + {static} loads : LoadsForGroup } class shedule.comboDate { .. Fields .. -jSpinner1 : JSpinner -jSpinner2 : JSpinner -jSpinner3 : JSpinner .. Methods .. +getDate() : String -initComponents() : void +initDate() : void } } package tabs { class tabs.Discipline { .. Fields .. -addDisciplineButton : JButton +fName : JTextField ~fullName : String -jButton1 : JButton -jLabel1 : JLabel -jLabel2 : JLabel -jScrollPane2 : JScrollPane +jTable2 : JTable +sName : JTextField ~shortName : String .. Methods .. +addDiscipline() : void -addDisciplineButtonActionPerformed(ActionEvent) : void +delDiscipline() : void -initComponents() : void -jButton1ActionPerformed(ActionEvent) : void +refTab() : void } class tabs.Specialty { .. Fields .. +codeSpec : JTextField ~codeSpecialty : String -jButton2 : JButton -jButton3 : JButton -jLabel6 : JLabel -jLabel7 : JLabel -jScrollPane3 : JScrollPane +jTable3 : JTable +nameSpec : JTextField ~nameSpecialty : String .. Methods .. +addSpecialty() : void +delSpecialty() : void -initComponents() : void -jButton2ActionPerformed(ActionEvent) : void -jButton3ActionPerformed(ActionEvent) : void +refTab() : void } class tabs.TeacherLoad { .. Fields .. +comboDiscipline : JComboBox +comboFName : JComboBox +comboGroup : JComboBox +comboLName : JComboBox +comboMName : JComboBox ~discipline : String ~fName : String ~group : String -jButton1 : JButton -jButton5 : JButton -jButton7 : JButton -jLabel10 : JLabel -jLabel11 : JLabel -jLabel12 : JLabel -jScrollPane5 : JScrollPane +jTable5 : JTable ~lName : String ~mName : String .. Methods .. +addTeacherLoad() : void -comboGroupPopupMenuWillBecomeVisible(PopupMenuEvent) : void +delTeacherLoad() : void ~getDisciplineList() : void ~getLFMNameList() : void -initComponents() : void -jButton5ActionPerformed(ActionEvent) : void -jButton7ActionPerformed(ActionEvent) : void +refTab() : void ~setGroupsBox() : void } class tabs.Group { .. Fields .. ~idSpecialty : String -jButton4 : JButton -jButton6 : JButton -jLabel8 : JLabel -jLabel9 : JLabel -jScrollPane4 : JScrollPane +jTable4 : JTable ~nameGroup : String +nameGroupEdit : JTextField +nameSpecOfGroup : JComboBox ~nameSpecialty : String .. Methods .. +addGroup() : void +delGroup() : void ~getSpecialtyList() : void -initComponents() : void -jButton4ActionPerformed(ActionEvent) : void -jButton6ActionPerformed(ActionEvent) : void -nameSpecOfGroupPopupMenuWillBecomeVisible(PopupMenuEvent) : void +refTab() : void } class tabs.Teacher { .. Fields .. -addTeacher : JButton -editTeacher : JButton ~fName : String +fNameTeacher : JTextField -jButton1 : JButton -jScrollPane1 : JScrollPane +jTable1 : JTable ~lName : String +lNameTeacher : JTextField ~mName : String +mNameTeacher : JTextField -Имя : JLabel -Отчество : JLabel -Фамилия : JLabel .. Methods .. ~addTeacher() : void -addTeacherActionPerformed(ActionEvent) : void ~delTeacher() : void ~editTeacher() : void -editTeacherActionPerformed(ActionEvent) : void -initComponents() : void -jButton1ActionPerformed(ActionEvent) : void ~refTab() : void } } package view { class view.Filer { .. Methods .. .. Static .. + {static} read() : String + {static} write() : void - {static} exists() : void } } DB.DB <|-- DB.MainDB DB.DB <|-- DB.SheduleDB gui.EditForm o-- "1..1" tabs.Teacher shedule.Shedule *-- "0..*" shedule.LessonPanel shedule.Shedule o-- "1..1" model.LoadsForGroup shedule.Shedule o-- "1..1" shedule.comboDate shedule.Shedule o-- "5..5" shedule.LessonPanel shedule.AvailableShedule "1..1" o..o "1..1" shedule.Shedule @enduml
077f03efd8b8361a082aa1a01910d3b432b699be
5037fa8d593da60bfc0ffabc20430d62ed78a1c1
/docs/datamodel/contextual-work-comm-advanced.puml
4de2d5041ca5b4707eeb61be0a69c7cefa2a7452
[ "Apache-2.0" ]
permissive
reTHINK-project/dev-smart-contextual-assistance-app
f7adea96beacaec7fc91302de6289e6ad318743b
adcdb86cc400da79dccabb2412fcdc8dd2325ad4
refs/heads/develop
2020-05-30T07:20:16.816636
2018-01-17T22:09:37
2018-01-17T22:09:37
56,498,153
0
0
Apache-2.0
2018-01-08T11:02:43
2016-04-18T10:17:55
CSS
UTF-8
PlantUML
false
false
758
puml
@startuml "advanced-work-context-design.png" class WorkContext { } class WorkProjectContext { } class WorkTaskContext { } WorkContext -|> ContextualComm.CompositeContextualComm WorkContext *-down- "0..*" WorkProjectContext WorkProjectContext *-down- "0..*" WorkTaskContext WorkProjectContext -|> ContextualComm.CompositeContextualComm WorkTaskContext -|> ContextualComm.CompositeContextualComm WorkTaskContext *-- "0..*" WorkTaskContextPeer WorkProjectContext *-- "0..*" WorkProjectContextPeer WorkContext *-- "0..*" WorkContextPeer WorkTaskContextPeer -|> ContextualComm.AtomicContextualComm WorkProjectContextPeer -|> ContextualComm.AtomicContextualComm WorkContextPeer -|> ContextualComm.AtomicContextualComm @enduml
88c0d41dad8f51bbaafa702c2765ffc689d143c5
27bade928da247751c05e64b7baa7cd79bbc4766
/oodesignpatterns/diagrams/decorator.puml
1639892b16d5c9c0d0bba162f5caf2752b5dc020
[]
no_license
zweibit0110/design-patterns
7ef005c8f49752545d3093e2de3d7f058c48e278
c8f88aa916ffdd556026722c4ca80e7555e535fa
refs/heads/master
2021-07-24T07:50:11.906876
2019-11-29T12:51:53
2019-11-29T12:51:53
224,854,326
0
0
null
2020-10-13T17:50:56
2019-11-29T12:55:42
Java
UTF-8
PlantUML
false
false
2,002
puml
@startuml skinparam note { borderColor grey backgroundColor white } skinparam legend { borderColor white fontSize 20 fontColor grey } package com.deloitte.training.oodesignpatterns.structural.decorator { ' Classes and interfaces interface Beverage { + getIngredients() : List<Ingredient> } class Tea { + getIngredients() : List<Ingredient> } class Coffee { + getIngredients() : List<Ingredient> } class BeverageDecorator { - beverage : Beverage + getIngredients() : List<Ingredient> } class WithLemon { + getIngredients() : List<Ingredient> } class WithMilk { + getIngredients() : List<Ingredient> } class WithSugar { + getIngredients() : List<Ingredient> } class WithCinnamon { + getIngredients() : List<Ingredient> } class BeverageVendingMachineTest ' relationships Beverage <-- Tea : implements Beverage <-- Coffee : implements Beverage <-- BeverageDecorator : implements Beverage --* BeverageDecorator : contains BeverageDecorator <|-- WithLemon : extends BeverageDecorator <|-- WithMilk : extends BeverageDecorator <|-- WithSugar : extends BeverageDecorator <|-- WithCinnamon : extends Beverage -o BeverageVendingMachineTest : use ' hide garbage hide empty fields hide empty methods ' notes note bottom of BeverageVendingMachineTest <i><size:10><color:grey>Create <b>Beverage</b> and decorate it with some ingredients:</color></size></i> beverage = new WithSugar(new WithMilk(new Coffee())) <i><size:10><color:grey>Apply decoration by calling <b>getIngredients()</b> method:</color></size></i> beverage.getIngredients() <i><size:10><color:grey>Output: <b>Cost of: coffee+milk+sugar is 25.</b></color></size></i> end note } 'legend legend bottom left DECORATOR [design pattern] end legend @enduml
766308f409a8f312f44ac32b9323f40e61d0e17d
a08d18fffd5657f2eea3307191d3e5159398ee16
/PaooGameEtapa2.plantuml
f7276c6b744ee296d22c6e0c2f3676a4e2daf1ee
[]
no_license
raducornea/Joc-PAOO
9436b9b0e74af3020d746fe9400828cd17e9aaae
1f597ba2db22d662c624f7c0329727539e81fe04
refs/heads/master
2023-07-30T12:00:36.361135
2021-09-19T07:10:59
2021-09-19T07:10:59
408,056,883
0
0
null
null
null
null
UTF-8
PlantUML
false
false
6,390
plantuml
@startuml title __PAOOGAMEETAPA1's Class Diagram__\n namespace PaooGame { class PaooGame.Game { } } namespace PaooGame { namespace GameWindow { class PaooGame.GameWindow.GameWindow { } } } namespace PaooGame { namespace Graphics { class PaooGame.Graphics.Assets { } } } namespace PaooGame { namespace Graphics { class PaooGame.Graphics.Camera { } } } namespace PaooGame { namespace Graphics { class PaooGame.Graphics.ImageLoader { } } } namespace PaooGame { namespace Graphics { class PaooGame.Graphics.SpriteSheet { } } } namespace PaooGame { namespace Input { class PaooGame.Input.KeyManager { } } } namespace PaooGame { namespace Items { class PaooGame.Items.Breakable { } } } namespace PaooGame { namespace Items { abstract class PaooGame.Items.Character { } } } namespace PaooGame { namespace Items { class PaooGame.Items.Decorations { } } } namespace PaooGame { namespace Items { class PaooGame.Items.Hero { } } } namespace PaooGame { namespace Items { class PaooGame.Items.Indestructible { } } } namespace PaooGame { namespace Items { class PaooGame.Items.Inventory { } } } namespace PaooGame { namespace Items { abstract class PaooGame.Items.Item { } } } namespace PaooGame { namespace Items { class PaooGame.Items.Menu { } } } namespace PaooGame { namespace Items { class PaooGame.Items.NPC { } } } namespace PaooGame { namespace Items { class PaooGame.Items.Pickable { } } } namespace PaooGame { namespace Items { abstract class PaooGame.Items.Terrain { } } } namespace PaooGame { class PaooGame.Main { } } namespace PaooGame { namespace Maps { class PaooGame.Maps.Map { } } } namespace PaooGame { class PaooGame.RefLinks { } } namespace PaooGame { namespace States { class PaooGame.States.AboutState { } } } namespace PaooGame { namespace States { class PaooGame.States.BattleState { } } } namespace PaooGame { namespace States { class PaooGame.States.InventoryState { } } } namespace PaooGame { namespace States { class PaooGame.States.MenuState { } } } namespace PaooGame { namespace States { class PaooGame.States.PlayState { } } } namespace PaooGame { namespace States { class PaooGame.States.Sample { } } } namespace PaooGame { namespace States { class PaooGame.States.SettingsState { } } } namespace PaooGame { namespace States { class PaooGame.States.Singleton { } } } namespace PaooGame { namespace States { abstract class PaooGame.States.State { } } } namespace PaooGame { namespace Tiles { class PaooGame.Tiles.GrassTile { } } } namespace PaooGame { namespace Tiles { class PaooGame.Tiles.MountainTile { } } } namespace PaooGame { namespace Tiles { class PaooGame.Tiles.SoilTile { } } } namespace PaooGame { namespace Tiles { class PaooGame.Tiles.Tile { } } } namespace PaooGame { namespace Tiles { class PaooGame.Tiles.TreeTile { } } } namespace PaooGame { namespace Tiles { class PaooGame.Tiles.WaterTile { } } } PaooGame.Game .up.|> java.lang.Runnable PaooGame.Game o-- PaooGame.States.State : aboutState PaooGame.Game o-- PaooGame.States.State : battleState PaooGame.Game o-- PaooGame.States.State : inventoryState PaooGame.Game o-- PaooGame.Input.KeyManager : keyManager PaooGame.Game o-- PaooGame.States.State : menuState PaooGame.Game o-- PaooGame.States.State : playState PaooGame.Game o-- PaooGame.RefLinks : refLink PaooGame.Game o-- PaooGame.States.State : settingsState PaooGame.Game o-- PaooGame.Tiles.Tile : tile PaooGame.Game o-- PaooGame.GameWindow.GameWindow : wnd PaooGame.Graphics.Camera o-- PaooGame.RefLinks : reflink PaooGame.Input.KeyManager .up.|> java.awt.event.KeyListener PaooGame.Input.KeyManager o-- PaooGame.RefLinks : reflink PaooGame.Items.Character -up-|> PaooGame.Items.Item PaooGame.Items.Hero -up-|> PaooGame.Items.Character PaooGame.Items.Hero o-- PaooGame.Graphics.Camera : camera PaooGame.Items.Inventory -up-|> PaooGame.Items.Item PaooGame.Items.Item o-- PaooGame.RefLinks : refLink PaooGame.Items.Menu -up-|> PaooGame.Items.Item PaooGame.Items.NPC -up-|> PaooGame.Items.Character PaooGame.Items.Pickable -up-|> PaooGame.Items.Terrain PaooGame.Items.Terrain -up-|> PaooGame.Items.Item PaooGame.Maps.Map o-- PaooGame.RefLinks : refLink PaooGame.RefLinks o-- PaooGame.Game : game PaooGame.RefLinks o-- PaooGame.Maps.Map : map PaooGame.RefLinks o-- PaooGame.Items.NPC : npc PaooGame.States.AboutState -up-|> PaooGame.States.State PaooGame.States.BattleState -up-|> PaooGame.States.State PaooGame.States.BattleState o-- PaooGame.States.Singleton : mySingleton PaooGame.States.BattleState o-- PaooGame.Items.Hero : hero PaooGame.States.BattleState o-- PaooGame.Items.NPC : npc PaooGame.States.InventoryState -up-|> PaooGame.States.State PaooGame.States.MenuState -up-|> PaooGame.States.State PaooGame.States.PlayState -up-|> PaooGame.States.State PaooGame.States.PlayState o-- PaooGame.Maps.Map : map PaooGame.States.SettingsState -up-|> PaooGame.States.State PaooGame.States.State o-- PaooGame.RefLinks : refLink PaooGame.Tiles.GrassTile -up-|> PaooGame.Tiles.Tile PaooGame.Tiles.MountainTile -up-|> PaooGame.Tiles.Tile PaooGame.Tiles.SoilTile -up-|> PaooGame.Tiles.Tile PaooGame.Tiles.TreeTile -up-|> PaooGame.Tiles.Tile PaooGame.Tiles.WaterTile -up-|> PaooGame.Tiles.Tile 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
ed177681b14349e3d941d479646487264626a209
dcca4c0aa19e3085bd37640a52b07fa02396b1d8
/4.Behavioral Design Patterns/7.Observer/src/main/resources/diagram/ObserverClassDiagram.puml
0ed6d362766f718fdb06433d44f00fa19fba1429
[]
no_license
drronidz/design-patterns-java-maven
8df24c5bdd021dd45018faf3937b767609e880eb
aa580cd4cc6caa25a418a71bd5af06f86bd354a6
refs/heads/main
2023-07-15T15:26:04.451482
2021-08-25T23:45:35
2021-08-25T23:45:35
392,855,046
1
0
null
null
null
null
UTF-8
PlantUML
false
false
750
puml
@startuml 'https://plantuml.com/class-diagram abstract class Subject { Attach (Observer) Detach (Observer) Notify () } note left of Subject::Notify for all o in observers { o -> Update() } end note class ConcreteSubject { subjectState GetState () Detach () } note left of ConcreteSubject::GetState return subjectState end note class Observer { Update() } hide Observer members show Observer methods class ConcreteObserver { observerState Update () } note right of ConcreteObserver::Update observerState = subject -> GetState() end note Subject <|-- ConcreteSubject Observer <|-- ConcreteObserver Subject -right-> Observer : observers ConcreteSubject -right-> ConcreteObserver : subject @enduml
31a1accf199d5235c85c3305c7695b7844ec9afb
0adfed0a9c127a14bf18c888b3d1ecf324a03c57
/java-base/src/test/java/designModel/decorator/decorator.puml
879d8f1a5447036e3c3ef2508aa4b3d971b4ee18
[]
no_license
moutainhigh/dafa
52e4019a0e1067caa24082dc872f92ea247b27e1
5cc46f0165cbc91bc522294aa7fabc8855f7e0d8
refs/heads/master
2023-02-20T08:06:44.819952
2020-10-27T06:07:51
2020-10-27T06:07:51
null
0
0
null
null
null
null
UTF-8
PlantUML
false
false
954
puml
@startuml abstract Drink{ String desc float price abstract float cost() } class Coffee { float cost() ' { ' return super.getPrice(); ' } } class LongBlack{ LongBlack() ' setDesc("美式咖啡"); ' setPrice(5.0f); } class Espresso { public Espresso() ' { ' setDesc("意大利咖啡"); ' setPrice(6.0f); ' } } Drink <|-- Coffee Coffee <|-- LongBlack Coffee <|-- Espresso class Decorator { Drink drink; Decorator(Drink drink) ' { ' this.drink = drink; ' } float cost() ' { ' return super.getPrice() + drink.cost(); ' } String getDesc() ' { ' return drink.getDesc() + " " + " & " + super.desc + super.getPrice(); ' } } Drink <|-- Decorator class Chocolate { Chocolate(Drink drink) ' { ' super(drink); ' setDesc("巧克力"); ' setPrice(1.0f); //调味品的价格 ' } } Decorator <|-- Chocolate @enduml
e2fc6d17d2daaf7e83d90e143a3af0dcc1d08a0b
28b7c4adfb32998ef9f08ade774a3280d0c5f725
/designpatterns/store_inventory.plantuml
58c30e36d271a825c46864875cc1e087d1bc60d3
[]
no_license
laurenpengyan/advancedjava
1cd41c635b6d5647d7a820f8b1f244033fe918d0
aa1e9fd9b9770fa007b427a0ec4c4cc37d8b076f
refs/heads/master
2020-04-17T13:00:06.998926
2019-05-12T01:36:15
2019-05-12T01:36:15
166,598,597
0
1
null
null
null
null
UTF-8
PlantUML
false
false
1,353
plantuml
@startuml title Store Inventory class Product { +name:String +code:int .. Methods .. +show() +getName(): String +getCode(): int +setName(): StringÍ +setCode() :int } class Clothing { +size: String +idealFor: String .. Methods .. +show(): void +getSize(): String +getIdealFor(): String } class Electronics { +brand: String +warranty: String .. Methods .. +show(): void +getSize(): String +getWarranty(): String } Product <|-- Clothing: Inheritance Product <|-- Electronics: Inheritance class Department { {abstract} +getProduct(): Product {abstract} +sell(product: Product) } class ClothingDepartment { +getProduct(): Product +sell(product: Product) } class ElectronicsDepartment { +getProduct(): Product +sell(product: Product) } Department <|-- ClothingDepartment: Inheritance Department <|-- ElectronicsDepartment: Inheritance note right of Department: Factory method pattern.\nDefines an abstract factory method getProduct().\nIt is used to get product from inventory to sell. note bottom of ClothingDepartment: Concrete implementation of getProduct()\nto return clothing product from inventory. note bottom of ElectronicsDepartment: Concrete implementation of getProduct()\nto return electronics product from inventory. @enduml
ddfc4b504c922056b3ab28e6ff3f8fe492159583
2c0edfcd9e6ddf16a88762a018589cbebe6fa8e8
/CleanSheets/src/main/java/csheets/worklog/n1130383/sprint2/sort_extension_1.puml
48663ef9e439db36b99d0ba059a1842bb0c2a3c2
[]
no_license
ABCurado/University-Projects
7fb32b588f2c7fbe384ca947d25928b8d702d667
6c9475f5ef5604955bc21bb4f8b1d113a344d7ab
refs/heads/master
2021-01-12T05:25:21.614584
2017-01-03T15:29:00
2017-01-03T15:29:00
77,926,226
1
3
null
null
null
null
UTF-8
PlantUML
false
false
369
puml
@startuml doc-files/sort_extension_1.png title: Class Diagram <<Analysis>> class SortAction { } class SortMenu class SortExtension { -String NAME; } class SortUI class JMenuItem SortExtension -> SortUI : getUIExtension(UIController) SortUI -> SortMenu : getMenu() SortMenu -> JMenuItem : 'items' JMenuItem o-> SortAction : action @enduml
610cd436ccf4fb12e3bd9606c07ffa328161445f
4d37d8ed5b25c85f0b62994ee16e075c1694049f
/src/Strategy/TYDP/before/before.puml
923d1610f6a6249cca9aa5ad7183ec60c1a6beba
[]
no_license
kyamashiro/DesignPatterns
dd3bbe21f2d710ed5b088a0e3bc00d6dd8229eb5
605d3f48b78d1914e0926de8114741d3178f237e
refs/heads/master
2020-04-12T10:21:50.580364
2018-12-23T14:49:01
2018-12-23T14:49:01
162,427,765
0
0
null
null
null
null
UTF-8
PlantUML
false
false
140
puml
@startuml class Client { anOperation() } class DialectSpeaker { sayWelcome() sayThanks() } Client -r- DialectSpeaker @enduml
e8b4b395f8f09fdffbdf80e3e09fc4a8945fc9f7
61f6a3452ee4ded9ebdfdb5028545d672d8f40af
/AutoCompletionSystem/src/FiltruCuvinte.puml
47d946d55d360634d98d5ea6c183588ec34b9257
[]
no_license
scatalin/licenta
ce5387edc0d685c79b18c10623b3cb51fff164b9
9349d677b9ade4da41b32c95429ce80ee7049e72
refs/heads/master
2021-01-10T19:28:09.475799
2015-09-13T19:02:05
2015-09-13T19:02:05
22,123,620
0
0
null
null
null
null
UTF-8
PlantUML
false
false
560
puml
@startuml package updater{} interface Filter { filterWord() } CharacterFilter <|-- RomanianCharacterFilter WordsFilter <- Controller Controller -> updater WordsFilter --> CharacterFilter WordsFilter --> Filter FilterFactory -> Filter Filter <|-- StopWordsFilter Filter <|-- LengthFilter abstract class CharacterFilter{ filterCharacters(String word) : String } class FilterFactory{ createFilter(String mode) : Filter } class WordsFilter{ List<Filter> filters filterWord(String word) } class Controller{ WordsFilter handleWord(String word) } @enduml
3ec4d31434c99a3787da821a8b25894e46004b7d
a535c551b126312761b0d0df30f0e821290ae567
/diplomConponents.plantuml
19a8293a6a3a92c6d502b367b0ce83e5b4d55a0c
[]
no_license
KateChaus/fate
d0dd0e524cb7fb42b32f1389f73088794a5ec8f0
33b1099e5fdea04561fced096b3bfa2944d0da73
refs/heads/main
2023-05-08T00:55:21.692888
2021-06-08T15:34:51
2021-06-08T15:34:51
371,137,495
0
0
null
null
null
null
UTF-8
PlantUML
false
false
4,013
plantuml
@startuml namespace art_orders { class Application { } /'************************************************************** ***************************CONFIG******************************* ***************************************************************'/ namespace config { class MvcConfig { } class WebSecurityConfig { } } /'************************************************************** ************************CONTROLLER****************************** ****************************************************************'/ namespace controller { class ControllerUtil { } class MainController { } class OrderApplicationController { } class RegistrationController { } class SearchController { } class SettingsController { } class UserController { } } /'************************************************************** ****************************DOMAIN****************************** ****************************************************************'/ namespace domain { class Order { } class OrderApplication { } class Rating { } class Site { } enum Status { } enum Type { } class User { } } /'************************************************************** ****************************REPOS****************************** ****************************************************************'/ namespace repos { interface MessageRepo { } interface OrderApplicationRepo { } interface OrderRepo { } interface SiteRepo { } interface UserRepo { } } /'************************************************************** ****************************SERVICE****************************** ****************************************************************'/ namespace service { class UserService { } } namespace resources { namespace static {} namespace templates {} } art_orders.controller.MainController o-- art_orders.repos.OrderRepo art_orders.controller.OrderApplicationController o-- art_orders.repos.OrderApplicationRepo art_orders.controller.OrderApplicationController o-- art_orders.repos.OrderRepo art_orders.controller.OrderApplicationController o-- art_orders.repos.UserRepo art_orders.controller.RegistrationController o-- art_orders.service.UserService art_orders.controller.SearchController o-- art_orders.repos.OrderApplicationRepo art_orders.controller.SettingsController o-- art_orders.repos.SiteRepo art_orders.controller.SettingsController o-- art_orders.repos.UserRepo art_orders.controller.UserController o-- art_orders.repos.OrderRepo art_orders.domain.Order o-- art_orders.domain.User art_orders.domain.Order o-- art_orders.domain.User art_orders.domain.Order o-- art_orders.domain.OrderApplication art_orders.domain.Order o-- art_orders.domain.Status art_orders.domain.OrderApplication o-- art_orders.domain.User art_orders.domain.OrderApplication o-- art_orders.domain.Type art_orders.domain.Rating o-- art_orders.domain.Order art_orders.domain.Site o-- art_orders.domain.User art_orders.controller.UserController o-- art_orders.service.UserService art_orders.config.WebSecurityConfig o-- art_orders.service.UserService art_orders.service.UserService o-- art_orders.repos.UserRepo art_orders.domain.OrderApplication o-- art_orders.repos.OrderApplicationRepo art_orders.domain.Order o-- art_orders.repos.OrderRepo art_orders.domain.User o-- art_orders.repos.UserRepo art_orders.domain.OrderApplication o-- art_orders.repos.OrderApplicationRepo art_orders.domain.Site o-- art_orders.repos.SiteRepo art_orders.controller.RegistrationController o-- art_orders.controller.ControllerUtil art_orders.controller.UserController -- art_orders.resources } @enduml
2d96972233700fe1df2994eb038fe189c5c4e210
a1eb6871a4ccbc6135b331ae824db91ec7b71e4e
/build/supply-agreement-loc@0.1.0.puml
2e49bd5d08bb9791b2004dc916718cb9722cc824
[ "Apache-2.0", "CC-BY-4.0", "LicenseRef-scancode-unknown-license-reference" ]
permissive
accordproject/cicero-template-library
737586850933daac2fbff2ff8b2d60dd50526b80
35e6c93ba9d9e78d9384c44a78d85ac216d9e9ea
refs/heads/main
2023-04-27T01:07:05.932361
2022-08-26T13:02:59
2022-08-26T13:02:59
109,224,687
77
149
Apache-2.0
2023-04-20T21:43:00
2017-11-02T06:11:37
HTML
UTF-8
PlantUML
false
false
2,301
puml
@startuml class org.cloudsecurityalliance.supplyagreement.SensorReading << (T,yellow) >> { + Double temperature + Double humidity } org.cloudsecurityalliance.supplyagreement.SensorReading --|> org.accordproject.runtime.Request class org.cloudsecurityalliance.supplyagreement.CheckContract << (T,yellow) >> { } org.cloudsecurityalliance.supplyagreement.CheckContract --|> org.accordproject.runtime.Request class org.cloudsecurityalliance.supplyagreement.DeliveryResponse << (T,yellow) >> { + String message + Boolean inGoodOrder } org.cloudsecurityalliance.supplyagreement.DeliveryResponse --|> org.accordproject.runtime.Response class org.cloudsecurityalliance.supplyagreement.SupplyAgreementState << (A,green) >> { + SensorReading[] sensorReadings } org.cloudsecurityalliance.supplyagreement.SupplyAgreementState --|> org.accordproject.runtime.State class org.cloudsecurityalliance.supplyagreement.SupplyAgreementContract << (A,green) >> { + DateTime executionDate + String exporter + String importer + String product + String importerCreditworthiness + DateTime issueDate + String importerLOCBank + Integer importerLOCNumber + MonetaryAmount importerLOCAmount + String orderBillOfLading + String packingList + Integer renewalTerms + Period termRenewal + Period termTerminationNotice + String invoice + String bookingId + String purchaseOrder + String exporterAddress + Integer turnaroundTime + Integer amountOfEachProduct + MonetaryAmount unitPriceOfEachProduct + String locationForDelivery + DateTime deliveryDate + Integer exporterBankAccount + String modifiedPurchaseOrder + Duration cancellationDeadline + String shipper + String importPort + String exportPort + String productDescription + Integer productWeight + String productMeasurement + MonetaryAmount freightCharges + Duration evaluationTime + String acceptanceCriteria + DateTime termBeginDate + Period termPeriod + Period currentTerm + String shipment + MonetaryAmount unitPrice + Integer unit + Integer sensorReadingFrequency + TemporalUnit duration + Period countPeriod } org.cloudsecurityalliance.supplyagreement.SupplyAgreementContract --|> org.accordproject.contract.Contract @enduml
d292271a461d3cd22736fd8011bfa2f1089fad73
4fa3470bab92291134039826e59f820b2837e489
/src/main/java/ex45/WordFinder.puml
2150f64d5fe44d9c65053a4cd4a4869d70d39c7a
[]
no_license
kiwibrie/juntunen-cop3330-assignment3
45940de6a234d2c78bff524bffb4af6760d502c3
9838a40329422e9d81f36473d6a677c2c80fb7e9
refs/heads/master
2023-05-31T20:03:03.258661
2021-06-21T21:36:26
2021-06-21T21:36:26
377,695,884
0
0
null
null
null
null
UTF-8
PlantUML
false
false
138
puml
@startuml 'https://plantuml.com/class-diagram class WordFinder{ + readFromFile + generateNewText + writeToFile + promptString } @enduml
ed7e3ec0df91a1d3a69da605cc814ab8fe421150
220ee20d5ea1522166a47c4442ce44e649b6478f
/overview.puml
aec3022e76fbb87f99d6911d73eb2cfafd2069aa
[]
no_license
iamdevice/chessboard
b191dbdfeb4daa84ec11b8752aee76a3f76fcfc1
05627be36b4be3b63cfb33a9ae0dd5b6f666ac5d
refs/heads/master
2021-05-03T07:21:48.630822
2018-02-07T11:45:43
2018-02-07T11:45:43
120,608,224
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,035
puml
@startuml interface FigureInterface { +getName() } FigureInterface <|-- Figure interface CellInterface { +putFigure(FigureInterface $figure) +getFigure() +removeFigure() } CellInterface <|-- Cell CellInterface -* FigureInterface interface BoardInterface { +__constructor(int $size) +getBoard() +cell(int $col, int $row) +putFigureOnCell(CellInterface $cell, FigureInterface $figure) +moveFigure(CellInterface $from, CellInterface $to) +save() +load() +clear() } BoardInterface <|-- Board BoardInterface -* CellInterface class Figure { -name: string +getName() } class Cell { -figure: FigureInterface +putFigure(FigureInterface $figure) +getFigure() +removeFigure() } class Board { -board: CellInterface[][] +__constructor(int $size) +getBoard() +cell(int $col, int $row) +putFigureOnCell(CellInterface $cell, FigureInterface $figure) +moveFigure(CellInterface $from, CellInterface $to) +save() +load() +clear() } @enduml
1ea79fd6e86433e5c57bce4a451a666509c62008
008380a4479bddd6b17b6d752b0d91ba220e6b33
/Eureka/Assets/Scripts/plantuml/QuestionManager.puml
ef2daa4bac1126491e86757c026c86502968648b
[]
no_license
xxbokusu/Eureka
bb2b8c92973905c05a38b4661d00d4d0090bf918
e4e2284d304bfd76ba0aa9cd735fb30f73a3d722
refs/heads/master
2023-06-09T06:13:54.758394
2023-06-08T03:33:01
2023-06-08T03:33:01
195,805,623
0
0
null
2023-06-08T03:55:52
2019-07-08T12:16:08
C#
UTF-8
PlantUML
false
false
466
puml
@startuml class QuestionManager { - _questDic : Dictionary<int, Quest> - _playerAnswerList : List<PlayerQuestAnswer> - Awake() : void - _InitializeQuest() : void - _MakeQuestByReadline(line:string) : Quest + Show() : void + Hide() : void + selectRandomQuest() : Quest + CheckAnswer(reply:bool) : bool + getPlayerAnsList() : List<PlayerQuestAnswer> } "SingletonMonoBehaviour`1" "<QuestionManager>" <|-- QuestionManager @enduml
8ca3359ebb091d142091f2692d8966a92d7990b3
d9de8b06fc82f304eb2912b3cbc0325f36df7100
/src/model/company.plantuml
52383ba9984b121735c285d49690acdfd2cbf787
[]
no_license
achalvaish/AP_Ass2
eab6f935a455d5d1f5130ba638ad1a2e19bb84ea
30241c5ebfd63d047f5b4b89cf3630d934cae34c
refs/heads/master
2020-03-18T06:20:35.253866
2018-05-22T09:20:33
2018-05-22T09:20:33
134,390,095
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,403
plantuml
@startuml title __COMPANY's Class Diagram__\n package com.company { class Adult { - childID : ArrayList<Child> + Adult() + connectChild() + displayChildren() } } package com.company { class Child { + Child() + getParentID1() + getParentID2() + removeParent() + isSibling() + isChild() + displayParents() } } package com.company { class Driver { ~ userList : ArrayList<User> + Driver() + addUser() + deleteUser() + searchUser() + exists() + run() } } package com.company { class MiniNet { {static} + main() } } package com.company { abstract class User { # name : String # status : String # image : String # age : int # friendList : ArrayList<User> + getName() + getStatus() + getImage() + getAge() + displayDetails() + addFriend() + isFriend() + updateprofile() } } Adult -up-|> User Child -up-|> User Child o-- Adult : parentID1 Child o-- Adult : parentID2 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
8bf554aac0ed27687b3c7d547a1282921b8481eb
95359165ef052380534d37af31d62ff7fbc442b4
/out/plantuml/Trader.plantuml
3397cabf70b4e2375f1631ca673456ace7a384cb
[]
no_license
spashii/stock-exchange-model
f7a5d5dd823e43f8c4c1bf56ec241b75c48c606d
c2665ab87e29dd3991bd62ff9cb4cbcf6c6b81b2
refs/heads/master
2023-01-09T05:48:37.657882
2020-11-10T08:51:17
2020-11-10T08:51:17
310,286,052
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,275
plantuml
@startuml title __TRADER's Class Diagram__\n namespace com.StockExchangeModel { namespace StockExchange { namespace Trader { class com.StockExchangeModel.StockExchange.Trader.Trader { {static} ~ count : long ~ funds : double ~ holdings : HashMap<Stock, Integer> ~ id : long ~ name : String + Trader() + Trader() + getFunds() + getHolding() + getHoldings() + getId() + getName() + putFunds() + putHolding() + setFunds() + setHoldings() + setId() + setName() + toString() + toStringHoldings() } class com.StockExchangeModel.StockExchange.Trader.TraderActionHandler { + TraderActionHandler() + handleAction() } } } } com.StockExchangeModel.StockExchange.Trader.TraderActionHandler -up-|> com.StockExchangeModel.StockExchange.Interpreter.ActionHandler 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
65d9a6dd47973bea3d50a0a48af5c3ff32c4b559
d97b774fd95a8e98e37c46ee1771f6e6e407a148
/uml/api/CategorySetMetaDescriptionAction.puml
0c857165ea7c2e0f4eb0c9b81f2baed045c5afb3
[]
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
503
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 CategorySetMetaDescriptionAction [[CategorySetMetaDescriptionAction.svg]] extends CategoryUpdateAction { action: String metaDescription: [[LocalizedString.svg LocalizedString]] } interface CategoryUpdateAction [[CategoryUpdateAction.svg]] { action: String } @enduml
d99a46c3e380290ba60f689dfee7c624e5097272
6ebeba1b534a0cc3814afe039947197e773d5de8
/exercise45/docs/sulution45.puml
3ab552c472ab6a006d709c526903f4136d814ea9
[]
no_license
Benjaminshin1/shin-a04
3adc8944b6c7f72deebfcdf606fc92f05ccd16b1
285e21d9e9f658f4b05c70855e243211e69fa1c9
refs/heads/main
2023-08-21T14:08:40.169176
2021-10-16T20:37:13
2021-10-16T20:37:13
null
0
0
null
null
null
null
UTF-8
PlantUML
false
false
70
puml
@startuml class solution45{ +rewrite +read_file +write_file } @enduml
5e206c31f8d215afaab242e279df5fbfb6689f28
de36ccf5a79e6d21aa01f3b34557af740f95e31e
/benchmark/docs/uml.puml
62dd462cda2cbd15684980742a3e1a153510a206
[]
no_license
rookie-12/fast_immutable_collections
c97ba9aefbf93170446e2e3cf6993a9ed14e2821
1e4460600a70d2b678f1e3a7f941c0de717eb501
refs/heads/master
2022-12-17T19:10:52.483174
2020-09-25T00:53:50
2020-09-25T00:53:50
298,476,075
1
0
null
2020-09-25T05:26:37
2020-09-25T05:26:37
null
UTF-8
PlantUML
false
false
11,314
puml
@startuml fast_immutable_collections_benchmarks set namespaceSeparator :: class "fast_immutable_collections_benchmarks::src::benchmarks.dart::FullReporter" { +Map<String, BenchmarkReporter> benchmarks +void report() +void save() } class "fast_immutable_collections_benchmarks::src::cases::add.dart::AddBenchmark" { +void report() } "fast_immutable_collections_benchmarks::src::utils::benchmark_reporter.dart::BenchmarkReporter" <|-- "fast_immutable_collections_benchmarks::src::cases::add.dart::AddBenchmark" class "fast_immutable_collections_benchmarks::src::cases::add.dart::_ListAddBenchmark" { +List<int> list +void setup() +void run() } "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::cases::add.dart::_ListAddBenchmark" class "fast_immutable_collections_benchmarks::src::cases::add.dart::_IListAddBenchmark" { +IList<int> iList +IList<int> result +void setup() +void run() } "fast_immutable_collections_benchmarks::src::cases::add.dart::_IListAddBenchmark" o-- "fast_immutable_collections::src::i_list.dart::IList<int>" "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::cases::add.dart::_IListAddBenchmark" class "fast_immutable_collections_benchmarks::src::cases::add.dart::_KtListAddBenchmark" { +dynamic ktList +dynamic result +void setup() +void run() } "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::cases::add.dart::_KtListAddBenchmark" class "fast_immutable_collections_benchmarks::src::cases::add.dart::_BuiltListAddWithRebuildBenchmark" { +BuiltList<int> builtList +BuiltList<int> result +void setup() +void run() } "fast_immutable_collections_benchmarks::src::cases::add.dart::_BuiltListAddWithRebuildBenchmark" o-- "built_collection::src::list.dart::BuiltList<int>" "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::cases::add.dart::_BuiltListAddWithRebuildBenchmark" class "fast_immutable_collections_benchmarks::src::cases::add.dart::_BuiltListAddWithListBuilderBenchmark" { {static} +int innerRuns +BuiltList<int> builtList +BuiltList<int> result +void setup() +void run() } "fast_immutable_collections_benchmarks::src::cases::add.dart::_BuiltListAddWithListBuilderBenchmark" o-- "built_collection::src::list.dart::BuiltList<int>" "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::cases::add.dart::_BuiltListAddWithListBuilderBenchmark" class "fast_immutable_collections_benchmarks::src::cases::add_all.dart::AddAllBenchmark" { +void report() } "fast_immutable_collections_benchmarks::src::utils::benchmark_reporter.dart::BenchmarkReporter" <|-- "fast_immutable_collections_benchmarks::src::cases::add_all.dart::AddAllBenchmark" class "fast_immutable_collections_benchmarks::src::cases::add_all.dart::_ListAddAllBenchmark" { -List<int> _list +void setup() +void run() } "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::cases::add_all.dart::_ListAddAllBenchmark" class "fast_immutable_collections_benchmarks::src::cases::add_all.dart::_IListAddAllBenchmark" { -IList<int> _iList +void setup() +void run() } "fast_immutable_collections_benchmarks::src::cases::add_all.dart::_IListAddAllBenchmark" o-- "fast_immutable_collections::src::i_list.dart::IList<int>" "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::cases::add_all.dart::_IListAddAllBenchmark" class "fast_immutable_collections_benchmarks::src::cases::add_all.dart::_KtListAddAllBenchmark" { -dynamic _ktList +void setup() +void run() } "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::cases::add_all.dart::_KtListAddAllBenchmark" class "fast_immutable_collections_benchmarks::src::cases::add_all.dart::_BuiltListAddAllBenchmark" { -BuiltList<int> _builtList +void setup() +void run() } "fast_immutable_collections_benchmarks::src::cases::add_all.dart::_BuiltListAddAllBenchmark" o-- "built_collection::src::list.dart::BuiltList<int>" "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::cases::add_all.dart::_BuiltListAddAllBenchmark" class "fast_immutable_collections_benchmarks::src::cases::empty.dart::EmptyBenchmark" { +void report() } "fast_immutable_collections_benchmarks::src::utils::benchmark_reporter.dart::BenchmarkReporter" <|-- "fast_immutable_collections_benchmarks::src::cases::empty.dart::EmptyBenchmark" class "fast_immutable_collections_benchmarks::src::cases::empty.dart::_ListEmptyBenchmark" { +void run() } "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::cases::empty.dart::_ListEmptyBenchmark" class "fast_immutable_collections_benchmarks::src::cases::empty.dart::_IListEmptyBenchmark" { +void run() } "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::cases::empty.dart::_IListEmptyBenchmark" class "fast_immutable_collections_benchmarks::src::cases::empty.dart::_KtListEmptyBenchmark" { +void run() } "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::cases::empty.dart::_KtListEmptyBenchmark" class "fast_immutable_collections_benchmarks::src::cases::empty.dart::_BuiltListEmptyBenchmark" { +void run() } "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::cases::empty.dart::_BuiltListEmptyBenchmark" class "fast_immutable_collections_benchmarks::src::cases::read.dart::ReadBenchmark" { +void report() } "fast_immutable_collections_benchmarks::src::utils::benchmark_reporter.dart::BenchmarkReporter" <|-- "fast_immutable_collections_benchmarks::src::cases::read.dart::ReadBenchmark" class "fast_immutable_collections_benchmarks::src::cases::read.dart::_ListReadBenchmark" { -List<int> _list +void setup() +void run() } "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::cases::read.dart::_ListReadBenchmark" class "fast_immutable_collections_benchmarks::src::cases::read.dart::_IListReadBenchmark" { -IList<int> _iList +void setup() +void run() } "fast_immutable_collections_benchmarks::src::cases::read.dart::_IListReadBenchmark" o-- "fast_immutable_collections::src::i_list.dart::IList<int>" "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::cases::read.dart::_IListReadBenchmark" class "fast_immutable_collections_benchmarks::src::cases::read.dart::_KtListReadBenchmark" { -dynamic _ktList +void setup() +void run() } "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::cases::read.dart::_KtListReadBenchmark" class "fast_immutable_collections_benchmarks::src::cases::read.dart::_BuiltListReadBenchmark" { -BuiltList<int> _builtList +void setup() +void run() } "fast_immutable_collections_benchmarks::src::cases::read.dart::_BuiltListReadBenchmark" o-- "built_collection::src::list.dart::BuiltList<int>" "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::cases::read.dart::_BuiltListReadBenchmark" class "fast_immutable_collections_benchmarks::src::cases::remove.dart::RemoveBenchmark" { +void report() } "fast_immutable_collections_benchmarks::src::utils::benchmark_reporter.dart::BenchmarkReporter" <|-- "fast_immutable_collections_benchmarks::src::cases::remove.dart::RemoveBenchmark" class "fast_immutable_collections_benchmarks::src::cases::remove.dart::_ListRemoveBenchmark" { -List<int> _list +void setup() +void run() } "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::cases::remove.dart::_ListRemoveBenchmark" class "fast_immutable_collections_benchmarks::src::cases::remove.dart::_IListRemoveBenchmark" { -IList<int> _iList +void setup() +void run() } "fast_immutable_collections_benchmarks::src::cases::remove.dart::_IListRemoveBenchmark" o-- "fast_immutable_collections::src::i_list.dart::IList<int>" "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::cases::remove.dart::_IListRemoveBenchmark" class "fast_immutable_collections_benchmarks::src::cases::remove.dart::_KtListRemoveBenchmark" { -dynamic _ktList +void setup() +void run() } "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::cases::remove.dart::_KtListRemoveBenchmark" class "fast_immutable_collections_benchmarks::src::cases::remove.dart::_BuiltListRemoveBenchmark" { -BuiltList<int> _builtList +void setup() +void run() } "fast_immutable_collections_benchmarks::src::cases::remove.dart::_BuiltListRemoveBenchmark" o-- "built_collection::src::list.dart::BuiltList<int>" "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::cases::remove.dart::_BuiltListRemoveBenchmark" abstract class "fast_immutable_collections_benchmarks::src::utils::benchmark_reporter.dart::BenchmarkReporter" { +List<TableScoreEmitter> tableScoreEmitters +void report() +void save() } abstract class "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" { +int runs +int size {static} +List<int> dummyStaticList {static} +List getDummyGeneratedList() +void exercise() } "benchmark_harness::benchmark_harness.dart::BenchmarkBase" <|-- "fast_immutable_collections_benchmarks::src::utils::list_benchmark_base.dart::ListBenchmarkBase" class "fast_immutable_collections_benchmarks::src::utils::table_score_emitter.dart::TableScoreEmitter" { -String _reportName -Map<String, double> _scores {static} -String _mu +Map<String, double> scores +String table +void emit() +void saveReport() -void _createReportsFolderIfNonExistent() -Map _normalizedColumn() -Map _normalizedAgainstListColumn() } "benchmark_harness::benchmark_harness.dart::ScoreEmitter" <|-- "fast_immutable_collections_benchmarks::src::utils::table_score_emitter.dart::TableScoreEmitter" @enduml
3841d717242b82b0f6a0fe80db0d3b9835797459
88bd3e900f38d4966f36ce538b57fd5e422aee41
/TP Software Construccion Lautaro Lagos Leiva COM 3/TP Software Construccion Lautaro Lagos Leiva COM 3.plantuml
f0c5cedc624b8512a5f3705338e9722e9f10f2e9
[]
no_license
lautarolagos/Prog3
a7e29f20083e03098153ff37e3cc08a8d4a4e92e
9c266fd175b944ab082af19ef8dc873acd94bd3a
refs/heads/master
2022-12-07T01:32:08.800457
2020-09-08T23:07:42
2020-09-08T23:07:42
null
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,624
plantuml
@startuml title __TP SOFTWARE CONSTRUCCION's Class Diagram__\n namespace com.company { class com.company.Arquitecto { } } namespace com.company { class com.company.Comercial { } } namespace com.company { class com.company.Comercio { } } namespace com.company { class com.company.Domestica { } } namespace com.company { class com.company.Empleado { } } namespace com.company { class com.company.Empresa { } } namespace com.company { class com.company.Hotel { } } namespace com.company { class com.company.Maestro { } } namespace com.company { class com.company.Main { } } namespace com.company { class com.company.Obra { } } namespace com.company { class com.company.Obrero { } } namespace com.company { interface com.company.Trabajo { } } com.company.Arquitecto -up-|> com.company.Empleado com.company.Comercial -up-|> com.company.Obra com.company.Comercio -up-|> com.company.Comercial com.company.Domestica -up-|> com.company.Obra com.company.Hotel -up-|> com.company.Comercial com.company.Maestro .up.|> com.company.Trabajo com.company.Maestro -up-|> com.company.Empleado com.company.Obra -up-|> com.company.Empresa com.company.Obrero .up.|> com.company.Trabajo com.company.Obrero -up-|> com.company.Empleado 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
fed80dcd6166f6ba97b94626829d704e011898eb
d97b774fd95a8e98e37c46ee1771f6e6e407a148
/uml/api/MyBusinessUnitRemoveAddressAction.puml
eebb9a6926223426600cb04bec00dc2782c9af6f
[]
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
507
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 MyBusinessUnitRemoveAddressAction [[MyBusinessUnitRemoveAddressAction.svg]] extends MyBusinessUnitUpdateAction { action: String addressId: String addressKey: String } interface MyBusinessUnitUpdateAction [[MyBusinessUnitUpdateAction.svg]] { action: String } @enduml
6eba75820b1ed38ca59709a5f1d3204b5c7ffb3b
c931fab627d76aac94f223642e63dc0f5358c800
/app/src/test/java/com/example/aflah/tracki_master/tracki_master.plantuml
414db5ecb566dd8b1a2111ca52e4160fc2be5a6a
[]
no_license
aflahtaqiu/tracki-android
842c78ad53d0717f51e094721150a6d8205e3a7a
6990d21cf21771cd1e5927e44564b06f4b2c8391
refs/heads/master
2020-04-15T02:03:17.136741
2019-01-06T12:02:17
2019-01-06T12:02:17
164,301,470
0
0
null
2019-01-06T11:40:37
2019-01-06T11:40:36
null
UTF-8
PlantUML
false
false
370
plantuml
@startuml title __TRACKI_MASTER's Class Diagram__\n package com.example.aflah.tracki_master { class ExampleUnitTest { + addition_isCorrect() } } 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
012827ab98c5bbb2943dbef359645b5212499d4e
43e3182287389d0ad80786be908e987d81519266
/src/doc/Customer.puml
6f8006d64e977a0b68ced9854e2c6a9a28c972a5
[]
no_license
RikLakhe/CustomerManagementSystem
69b4aec13789cf3189770ae7183f975c0eaf8564
2660dd42d27dac44bd3a0c27a121910387cd5370
refs/heads/master
2022-12-13T12:15:19.690346
2020-09-15T07:14:58
2020-09-15T07:14:58
292,647,868
0
0
null
null
null
null
UTF-8
PlantUML
false
false
2,964
puml
@startuml namespace model { abstract class AbstractCustomer implements Customer{ ~ String id ~ String name ~ String address ~ String email ~ String joinYear ~ String joinPackage ~ Int age ~ Boolean paidForMembership --Getter-- + String getName() + String getId() --Setter-- + void setPaidForMembership(boolean) + void setJoinPackage(String) } class VipCustomer extends AbstractCustomer{ ~ String personalTrainer ~ double discount --Getter-- + double getDiscount() + void show() } class NormalCustomer extends AbstractCustomer{ ~ String workoutTime --Getter-- + void show() } interface Customer{} } namespace services { interface CustomerRegistrationService{ + String register(Customer) + void findCustomer (String) + Customer findCustomerByIdentifier(String) + String payCustomerByPrice(Customer, int, String) } class CustomerRegistrationServiceFactory{ - CustomerRegistrationService normalRegistrationService - CustomerRegistrationService vipRegistrationService + CustomerRegistrationService get(String) } CustomerRegistrationService "1" *--> "1" CustomerRegistrationServiceFactory class NormalCustomerRegistrationServiceImpl implements CustomerRegistrationService{ - List<NormalCustomer> normalCustomers - Logger Logger + String register(Customer) + void findCustomer(String) + Customer findCustomerByIdentifier(String) + String payCustomerByPrice(Customer, int, String) } class VipCustomerRegistrationServiceImpl implements CustomerRegistrationService{ - List<VipCustomer> vipCustomers - Logger Logger + String register(Customer) + void findCustomer(String) + Customer findCustomerByIdentifier(String) + String payCustomerByPrice(Customer, int, String) } CustomerRegistrationServiceFactory ..> VipCustomerRegistrationServiceImpl : create CustomerRegistrationServiceFactory ..> NormalCustomerRegistrationServiceImpl : create } services.VipCustomerRegistrationServiceImpl "1" *-- "*" model.VipCustomer services.NormalCustomerRegistrationServiceImpl "1" *-- "*" model.NormalCustomer namespace view { class FrontDeskView{ - String readLine() - Int readInLine() - void customerPayProcess() - void packagePaymentProcess() - void customerFindProcess() - void customerRegistrationProcess() - boolean customerRegistrationSelectionProcess(String,String, String, int) - void registerNormalCustomer(String,String,String,String,int) - void registerVipCustomer(String,String,String,String,int) } } view.FrontDeskView ..> model.VipCustomer view.FrontDeskView ..> model.NormalCustomer view.FrontDeskView ..> services.CustomerRegistrationServiceFactory view.FrontDeskView ..> model.Customer services.CustomerRegistrationService ..> model.Customer class CustomerManagementSystem{ + void main(String[]) } CustomerManagementSystem ..> view.FrontDeskView @enduml
eefe7d937ef7f46f4ab3712b30798e597b997006
f4e746d7627fa2f2c1d91f40f73018d49587b40b
/src/Facades/TableFacade.puml
d123b6814bdfbda6d030b65521d86a36bc43128d
[]
no_license
ui-package/table-component
cd428ce66e972bd3d2a7bed1fa47efa0e8f8194f
a5705a8428cc4561362e01d74800051f85a53b56
refs/heads/master
2021-05-13T23:04:39.299701
2018-03-21T07:14:54
2018-03-21T07:14:54
116,505,364
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,148
puml
@startuml interface ColumnManagerInterface interface RenderManagerInterface interface PaginationManagerInterface interface DensityManagerInterface interface ResetManagerInterface interface SortInterface interface DataSelectorManagerInterface interface TableFacadeInterface { {abstract} getEntities(entities: T[]): T[] {abstract} getColumnManager (): ColumnManagerInterface {abstract} getRenderManager (): RenderManagerInterface } abstract class TableFacadeAbstract { {abstract} getPaginationManager(): PaginationManagerInterface {abstract} getDensityManager(): DensityManagerInterface {abstract} getResetManager(): ResetManagerInterface {abstract} getSortManager (): SortInterface {abstract} getChooseManager (): DataSelectorManagerInterface } TableFacadeAbstract .|> TableFacadeInterface ColumnManagerInterface <--o TableFacadeAbstract RenderManagerInterface <--o TableFacadeAbstract TableFacadeAbstract --> PaginationManagerInterface TableFacadeAbstract --> DensityManagerInterface TableFacadeAbstract --> ResetManagerInterface TableFacadeAbstract --> SortInterface TableFacadeAbstract --> DataSelectorManagerInterface @enduml
d68da02ec76ac1a8355fb3e99c4f2569e1e71b28
20391c18be0f5d9fa3adee5029be766534a0cf8e
/iterator-pattern/example1/problem/example1.puml
5ecf903abf59d798a8b65edc038f13284f2a217b
[]
no_license
Caballerog/blog
34ee257ea9e033dfab732d15b7eff7b2a03a59a0
c02c18b49cd65894ebd5e4f7eebc946195cde0f6
refs/heads/master
2023-04-28T15:00:41.602153
2023-04-21T19:56:59
2023-04-21T19:56:59
169,620,009
28
7
null
2022-12-11T21:37:16
2019-02-07T18:22:56
TypeScript
UTF-8
PlantUML
false
false
304
puml
@startuml class Client {} class WordsCollection { -items: string[] = [] +getItems(): string[] +addItem(item: string): void } Client .> WordsCollection : "<<use>>" note left of Client { ... items = collection.getItems(); for(...) { console.log(items[i]); } ... } end note @enduml
9dbf00b84987a4efa80c21f7d28d95bc01a024a8
84d13fed87f7e79d7db781abd29b1159612bfe32
/prid-art-nor/analyse/CD.puml
dccf4d736a6bd972c4c4e2ce286f4558818d0a52
[]
no_license
NormanVermeulen/norman-project-trello
6c571bbf731ef21caa0b886b64dd88c103560985
a93f1cdfe7f631e9d55453cfa469fe477007aa46
refs/heads/master
2023-02-26T03:54:01.279634
2021-01-29T18:00:12
2021-01-29T18:00:12
null
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,230
puml
@startuml title Diagramme de classes package model{ class User { - int id - string pseudo - string password - string email - string firstName - string lastName - enum role - string token + add() + update() + delete() } class Board { - int id - string name - User owner - picture wallPaper - List<User> collaboraters - List<List> lists + add() + update() + delete() } class List { - int id - string name - User author - list<card> cards + add() + update() + delete() + dragAndDrop() } class Card { - int id - string name - User author - list<User> participaters + add() + update() + delete() + dragAndDrop() } } User "1" *-- "*" Board : owns User "1" *-- "*" List : owns User "*" -- "*" Board : collaborates Board "1" *-- "*" List : contains List "1" *-- "*" Card : contains User "1" *-- "*" Card : authors User "*" -- "*" Card : participates Card -right- User Board -up- User Board -right- List @enduml
e39970a244228a25f2efa90cac0ac270342b9551
844665d08d1be5dacc41d8495725d881c68dba71
/Conferencias/Conferencia 1_ Principios de Diseño/PrincipleAndPatternDesign/src/cu/datys/principles/isp/mediaplayer/bad/class-diagram.puml
1d5ee6e41e12dcca1563faff3697dbc3ad3fd791
[ "MIT" ]
permissive
alexescalonafernandez/curso-patrones-diseno
ec1cf0a993707d78c294208e04604a3a0ffd164e
f586e27791e1281087df6cc137da87f407179e65
refs/heads/master
2021-01-25T13:35:26.659206
2018-03-02T20:18:06
2018-03-02T20:18:06
123,588,331
0
0
null
null
null
null
UTF-8
PlantUML
false
false
655
puml
@startuml skinparam backgroundcolor transparent skinparam classFontSize 18 skinparam noteFontSize 18 skinparam arrowFontSize 18 skinparam classAttributeFontSize 18 skinparam titleFontColor #c9302c Title ISP: Uso incorrecto interface IMediaPlayer{ + void playAudio() + void playVideo() } class DivMediaPlayer implements IMediaPlayer class VlcMediaPlayer implements IMediaPlayer class WinampMediaPlayer implements IMediaPlayer class VideoUnsupportedException WinampMediaPlayer --> VideoUnsupportedException : throws note top of WinampMediaPlayer{ Solo reproduce audio, por lo que lanza excepción en el método playVideo } @enduml
780c01c266bc13b7eaf0dcb12e59d20151cfc1f1
6e30d5b3d773278394abbe71164bf1b8aff94b8d
/RoommateWrangler/app/UML/DomainDiagram.puml
4153e25615f0523ef3c2ced6e995b26d04d900ae
[]
no_license
irocketh/RoommateWrangler
2ffdbcbd60a4a71cc5307f958cd5b80cd7411664
539b26e4181eb4d5da0604e9423fd8c519db35c7
refs/heads/master
2020-12-24T16:50:18.964057
2015-05-19T02:23:22
2015-05-19T02:23:22
35,854,456
0
0
null
null
null
null
UTF-8
PlantUML
false
false
332
puml
@startuml enum BillType{ WATER, POWER, INTERNET_CABLE, TRASH, LANDSCAPING } enum GroceryType{ BREAD, EGGS, MILK, FF_PIZZA } class Grocery { } class Bill { int amount boolean paid } class Roommate{ String name int phoneNumber } Bill *-- BillType Bill *-- Roommate Grocery *-- Roommate Grocery *-- GroceryType hide methods @enduml
651cdb733f38fd38f00fb0ea092ef3c2d5b90b8c
e3f608b2d2d160553212e823e0783e7d08f24c7b
/exercise44/docs/main.puml
94a1a8fcb9c4f0f72ddbff1b5f3bebbf8061b52b
[]
no_license
nader-fares/fares-a04
3635a6f457bed61957ba581c90cca9a7ecf38299
3232d3ff5b3e4204189b67c6bd8f019dfce49873
refs/heads/main
2023-09-04T05:42:59.179310
2021-10-18T02:27:26
2021-10-18T02:27:26
415,470,723
0
0
null
null
null
null
UTF-8
PlantUML
false
false
354
puml
@startuml 'https://plantuml.com/sequence-diagram class Solution44 { boolean isFound String productName +main(String[]) +productDeserialization(): ItemShop } class Products { -String name -double price -int quantity +getName() +getPrice() +getQuantity() } class ItemShop{ List<Products> products } Solution44 o-- ItemShop ItemShop o-- Products @enduml
932bb10f51bbe272cb2c5b086ae0ac840bd3d11e
a2cc33d32e16570a8da9f5a15eae66c6d4ea6df9
/tfmobile/src/org/tensorflow/demo/env/env.plantuml
9050d11a739f7f396cfea1e219a6012907223dbf
[]
no_license
mr-haseeb/SafeDrive
84019ecef0375bde29ba0e5c22ffe987635c30a1
c24e3c42b5255d83d3ce627e65c1ff56cda3cad5
refs/heads/main
2023-06-28T20:25:46.661267
2021-08-07T07:42:33
2021-08-07T07:42:33
322,583,138
0
0
null
null
null
null
UTF-8
PlantUML
false
false
3,092
plantuml
@startuml title __ENV's Class Diagram__\n namespace org.tensorflow.demo { namespace env { class org.tensorflow.demo.env.BorderedText { - exteriorPaint : Paint - interiorPaint : Paint - textSize : float + BorderedText() + BorderedText() + drawLines() + drawText() + getTextBounds() + getTextSize() + setAlpha() + setExteriorColor() + setInteriorColor() + setTextAlign() + setTypeface() } } } namespace org.tensorflow.demo { namespace env { class org.tensorflow.demo.env.ImageUtils { {static} ~ kMaxChannelValue : int {static} - LOGGER : Logger {static} + convertImageToBitmap() {static} + convertYUV420ToARGB8888() {static} + cropAndRescaleBitmap() {static} + getTransformationMatrix() {static} + getYUVByteSize() {static} + saveBitmap() {static} - YUV2RGB() {static} - convertByteToInt() {static} - fillBytes() } } } namespace org.tensorflow.demo { namespace env { class org.tensorflow.demo.env.Logger { {static} - DEFAULT_MIN_LOG_LEVEL : int {static} - DEFAULT_TAG : String {static} - IGNORED_CLASS_NAMES : Set<String> - messagePrefix : String - minLogLevel : int - tag : String + Logger() + Logger() + Logger() + Logger() + Logger() + d() + d() + e() + e() + i() + i() + isLoggable() + setMinLogLevel() + v() + v() + w() + w() {static} - getCallerSimpleName() - toMessage() } } } namespace org.tensorflow.demo { namespace env { class org.tensorflow.demo.env.Size { + height : int {static} + serialVersionUID : long + width : int + Size() + Size() + aspectRatio() + compareTo() {static} + dimensionsAsString() + equals() {static} + getRotatedSize() + hashCode() {static} + parseFromString() {static} + sizeListToString() {static} + sizeStringToList() + toString() } } } namespace org.tensorflow.demo { namespace env { class org.tensorflow.demo.env.SplitTimer { - lastCpuTime : long - lastWallTime : long + SplitTimer() + endSplit() + newSplit() } } } org.tensorflow.demo.env.Size .up.|> java.io.Serializable org.tensorflow.demo.env.Size .up.|> java.lang.Comparable org.tensorflow.demo.env.SplitTimer o-- org.tensorflow.demo.env.Logger : logger 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
bddab66369c5ce867261f47e2372567c6a6bee1e
c1377e4076799edb610d11b3df2b8a340cc42d70
/Client/app/src/main/java/com/chrisjaunes/communication/client/client.plantuml
41d0fcbcbf81096b6880c232af8380f38e72b091
[]
no_license
ChrisJaunes/CommunicationTool
e6921d1670caed8054350efea37eda8ebedd01a6
9b8d0ba06959e225cc44f8decdde548978373762
refs/heads/main
2023-03-12T12:16:51.502928
2021-02-27T07:23:37
2021-02-27T07:23:37
316,022,499
1
0
null
null
null
null
UTF-8
PlantUML
false
false
4,620
plantuml
@startuml title __CLIENT's Class Diagram__\n namespace com.chrisjaunes.communication.client { class com.chrisjaunes.communication.client.Config { {static} + ACCOUNT_VISITORS : String {static} + BUNDLE_ACCOUNT : String {static} + CONTACTS_FRIENDS_AGREE : String {static} + CONTACTS_FRIENDS_REJECT : String {static} + CONTACTS_FRIEND_REQUEST : String {static} + ERROR_AVATAR_TOO_LARGE : String {static} + ERROR_NET : String {static} + ERROR_UNKNOWN : String {static} + STATUS_NET_ERROR : String {static} + STATUS_QUERY_SUCCESSFUL : String {static} + STATUS_REGISTER_ACCOUNT_EXIST : String {static} + STATUS_REGISTER_SUCCESSFUL : String {static} + STATUS_UPDATE_FAIL : String {static} + STATUS_UPDATE_SUCCESSFUL : String {static} + STR_ACCOUNT : String {static} + STR_ACCOUNT1 : String {static} + STR_ACCOUNT2 : String {static} + STR_AVATAR : String {static} + STR_CONTENT : String {static} + STR_CONTENT_TYPE : String {static} + STR_NICKNAME : String {static} + STR_OPERATION : String {static} + STR_PASSWORD : String {static} + STR_SEND_TIME : String {static} + STR_STATUS : String {static} + STR_STATUS_DATA : String {static} + STR_TEXT_STYLE : String {static} + STR_TIME : String {static} + TABLE_ACCOUNT : String {static} + TABLE_CONTACTS : String {static} + URL_BASE : String {static} + URL_CONTACTS_QUERY : String {static} + URL_GROUP_MESSAGE_ADD : String {static} + URL_GROUP_MESSAGE_QUERY : String {static} + URL_LOGIN : String {static} + URL_REGISTER : String {static} + URL_TALK_QUERY : String {static} + URL_TALK_UPDATE : String {static} + URL_UPDATE_MESSAGE : String } } namespace com.chrisjaunes.communication.client { abstract class com.chrisjaunes.communication.client.LocalDatabase { {abstract} + getContactsDao() {abstract} + getGroupDao() {abstract} + getTalkMessageDao() } } namespace com.chrisjaunes.communication.client { class com.chrisjaunes.communication.client.MainActivity { {static} - MENU_AVATAR : int {static} - MENU_LOGOUT : int {static} - MENU_UPDATE_TEXT_STYLE : int {static} - PHOTO_REQUEST_GALLERY : int - radioGroupOnCheckedChangeListener : OnCheckedChangeListener - toolbarOnMenuItemClickListener : OnMenuItemClickListener + onActivityResult() # onCreate() - updateFragment() } } namespace com.chrisjaunes.communication.client { class com.chrisjaunes.communication.client.MyApplication { {static} - instance : MyApplication + MyApplication() {static} + getInstance() + getLocalDataBase() + setAccount() } } namespace com.chrisjaunes.communication.client { class com.chrisjaunes.communication.client.PreActivity { # onCreate() } } com.chrisjaunes.communication.client.LocalDatabase -up-|> androidx.room.RoomDatabase com.chrisjaunes.communication.client.MainActivity -up-|> androidx.appcompat.app.AppCompatActivity com.chrisjaunes.communication.client.MainActivity o-- com.chrisjaunes.communication.client.account.AccountViewModel : accountViewModel com.chrisjaunes.communication.client.MainActivity o-- com.chrisjaunes.communication.client.contacts.AddContactsFragment : addContactsFragment com.chrisjaunes.communication.client.MainActivity o-- com.chrisjaunes.communication.client.group.GAddFragment : gAddFragment com.chrisjaunes.communication.client.MainActivity o-- com.chrisjaunes.communication.client.group.GListFragment : gListFragment com.chrisjaunes.communication.client.MainActivity o-- com.chrisjaunes.communication.client.contacts.NewContactsFragment : newContactsFragment com.chrisjaunes.communication.client.MainActivity o-- com.chrisjaunes.communication.client.contacts.NowContactsFragment : nowContactsFragment com.chrisjaunes.communication.client.MyApplication -up-|> android.app.Application com.chrisjaunes.communication.client.MyApplication o-- com.chrisjaunes.communication.client.LocalDatabase : localDatabase com.chrisjaunes.communication.client.PreActivity -up-|> androidx.appcompat.app.AppCompatActivity 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
c15897a1998fed50935908b74facf5df97b74955
d97b774fd95a8e98e37c46ee1771f6e6e407a148
/uml/api/StagedQuoteDeletedMessagePayload.puml
09db70de25ac672e4bac0248a8d88f7ef9b04ba7
[]
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
420
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 StagedQuoteDeletedMessagePayload [[StagedQuoteDeletedMessagePayload.svg]] extends MessagePayload { type: String } interface MessagePayload [[MessagePayload.svg]] { type: String } @enduml
8a7993e5be2ce701449d2ade717905646c17be14
63114b37530419cbb3ff0a69fd12d62f75ba7a74
/plantuml/Library/PackageCache/com.unity.timeline@1.2.17/Editor/treeview/Drawers/TrackItemsDrawer.puml
f8df4b8c3027b8f0b9ee10b6ee59c6c216ae5976
[]
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
397
puml
@startuml class TrackItemsDrawer <<struct>> { + TrackItemsDrawer(parent:IRowGUI) BuildGUICache(parent:IRowGUI) : void + Draw(rect:Rect, state:WindowState) : void } class "List`1"<T> { } class "IEnumerable`1"<T> { } TrackItemsDrawer --> "m_Layers<ItemsLayer>" "List`1" TrackItemsDrawer --> "m_ClipsLayer" ClipsLayer TrackItemsDrawer --> "clips<TimelineClipGUI>" "IEnumerable`1" @enduml
e9646e1bc4fd3cf1f87dff97063709f23b0b7d6d
644fc1e9c334f0fcbdab3b545290f3cc65b5d6dc
/photoniced/testiii/common/IInterpreter.puml
986d108feea41d9fccf4238f28b1279c9a4e0441
[]
no_license
tzAcee/photonized
c929a6c04bedd0304a4e427d6c2895cdf73568d3
aa53ed7bda18959c58467fe4560dc3ff4e1ae422
refs/heads/main
2023-05-03T15:13:31.148910
2021-05-25T13:55:17
2021-05-25T13:55:17
316,536,113
0
0
null
null
null
null
UTF-8
PlantUML
false
false
256
puml
@startuml interface IContext { } interface IExpression { Interpreter(context:IContext) : void } class "IDictionary`2"<T1,T2> { } class "IList`1"<T> { } IContext --> "Result<string,object>" "IDictionary`2" IContext --> "Error<string>" "IList`1" @enduml
f2998eff2294f460be075e0989bc32374a45e6bb
c9d49168edc406499204f69721424bb6deded5fd
/Modelo/Pessoa.plantuml
9cc8b4da7d832d30cf20f7eeb3998ee54e73a414
[ "MIT" ]
permissive
JonatasAfonso/poc-consultorio-comum
1d2880314bacbf7809f59c2d76c8619e73bf6253
936a507ec888eb978abfdbf44c7cb4fe30a3633d
refs/heads/main
2023-03-12T19:39:26.314301
2021-02-26T12:35:39
2021-02-26T12:35:39
342,554,404
0
0
null
null
null
null
UTF-8
PlantUML
false
false
125
plantuml
@startuml class Pessoa { Id : Guid Nome : String Cidade : String Email : String DataNascimento : DateTime } @enduml
0b80966381d1e8ff029328b0a542d21e620511f9
c629acfffbec95f0b3eca4c11a7fe61d0f882041
/core/docs/core_classes.puml
3052799221146209091c2c7c55cd5c7ebc6c72f9
[]
no_license
saratoga8/sights_detect
6ebe37ecc3deff31e0509200efa0fb32c05e3d95
5be3a6f865f2e187d8bdfa83caca8158dbf0f34c
refs/heads/master
2021-07-24T07:37:15.928914
2020-10-01T09:19:40
2020-10-01T09:19:40
194,370,159
0
0
null
null
null
null
UTF-8
PlantUML
false
false
2,063
puml
@startuml abstract class Controller { {abstract}-storage {abstract}-properties -paths +detections +start() +stop() } class DesktopController { #storage } class DetectionsStorage { -path +save() +load() } class ObjectSeekerFactory { +getObjSeekers() } class PicSeekerFactory { +getPicSeekers() } class Detection { +path +descriptions +state } class Request { -properties +post() } class GoogleResponse { } Controller *- Properties Controller *- DetectionsStorage Controller *- "0..*" Detection Controller o..> Detections Controller o..> "1..*" Seeker Controller ..> ObjectSeekerFactory Controller ..> PicSeekerFactory DesktopController ..> Properties DesktopController *- DetectionsStorage Request o..> GoogleResponse Detection *- Detections Seeker o..> "1" Detection PicsSeeker ..> Detection PicSeekerFactory ..> DesktopFS PicSeekerFactory o..> "0..*" Seeker PicSeekerFactory ..> Detection PicSeekerFactory o..> "0..*" PicsSeeker DesktopFS o..> "0..*" Detection ObjectSeekerFactory ..> Properties ObjectSeekerFactory ..> Detection ObjectSeekerFactory o..> "0..*" Seeker ObjectSeekerFactory o..> "0..*" GoogleObjSeeker ObjectSeeker ..> Detection GoogleVision ..> Properties GoogleVision *- Request GoogleVision o..> GoogleRequest GoogleVision o..> GoogleResponse GoogleObjSeeker o..> "0..*" Detection GoogleObjSeeker *- Properties GoogleObjSeeker o..> GoogleVision GoogleObjSeeker o..> GoogleResponse GoogleObjSeeker ..> Detections interface ObjectSeeker { } enum Detections { PROCESSING NO FOUND UNKNOWN } interface Seeker { {abstract} +find() {abstract} +stop() } interface PicsSeeker { +picFormats {abstract} +find() {abstract} +stop() } Controller <|.. DesktopController PicsSeeker <|.. DesktopFS Seeker <|.. PicsSeeker ObjectSeeker ..|> Seeker ObjectSeeker <|.. GoogleObjSeeker class DesktopFS { -dirPath -recursive +find() +stop() } class GoogleObjSeeker { -path -properties +find() +stop() } class GoogleVision { -properties +doRequest() } @enduml
3924e13480b5b8b4c3a6449a67c8240905ce789c
1cf4490d48f50687a8f036033c37d76fec39cd2b
/src/main/java/global/skymind/training/intermediate/oop/demo/demo01_object_creation/without_constructor/without_constructor.plantuml
55e89f9b992b50040700b16eb769669d44034be5
[ "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
982
plantuml
@startuml title __WITHOUT_CONSTRUCTOR's Class Diagram__\n namespace global.skymind { namespace training.intermediate.oop.demo.demo01_object_creation { namespace without_constructor { class global.skymind.training.intermediate.oop.demo.demo01_object_creation.without_constructor.Demo01_ClassAndObjects { {static} + main() } } } } namespace global.skymind { namespace training.intermediate.oop.demo.demo01_object_creation { namespace without_constructor { class global.skymind.training.intermediate.oop.demo.demo01_object_creation.without_constructor.Person { ~ age : int ~ name : String ~ eat() ~ intro() ~ walk() } } } } 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
f9149488c50e78c435982e0baae040eeeea673a8
9719552a1c9d48895aa95b7235a414ce4f9be2a4
/builder/src/builder/builder.puml
966ac8531d4e29ebc109e4391c65d21bd312bee0
[]
no_license
lzyJava666/designMode
c2b582702ddb38eecf65b355408a937c8678f8c9
cf3bee2e67ece800853efe6b0a1c06bde8c16bbf
refs/heads/main
2023-03-07T13:55:48.882683
2021-02-04T07:59:16
2021-02-04T07:59:16
325,688,331
1
0
null
null
null
null
UTF-8
PlantUML
false
false
485
puml
@startuml class House{ color:String heigh:float } interface HouseBuilder{ house:House=new House() piling():void walls():void capping():void build():House } HouseBuilder *-- House class CommonHouse class Villa HouseBuilder <|.. CommonHouse HouseBuilder <|.. Villa class HouseDirector{ houseBuilder:HouseBuilder createHouse():House } HouseDirector o-- HouseBuilder class client client ..> HouseDirector client ..> CommonHouse client ..> Villa @enduml
3fa7654b25632458629f30c169d87694a0ce0658
6a5e245caa0dcbee9fadd99b05c3ed67aad9da2c
/out/production/Sales/Sales.puml
bd86ae647189a6720fc0c12c402f3ae5e387b001
[]
no_license
jimmyrabbit88/BridgeDP
4cf48bb5d73a7a2b87aef9188d78c1a041030b9f
f40747b29a1e3edaac29a5bded2baf31c1a6bfb9
refs/heads/master
2023-01-13T13:06:00.664423
2020-11-22T11:30:00
2020-11-22T11:30:00
312,625,783
0
0
null
null
null
null
UTF-8
PlantUML
false
false
710
puml
@startuml skinparam classAttributeIconSize 0 PictureAdCar o-- Car TextAdCar o-- Car PictureAdFurniture o-- Furniture TextAdFurniture o-- Furniture class DisplayBehaviour{ -display() } class PictureAdCar{ - Car car - DisplayBehavior display behaviour + display(): String } class TextAdCar{ - Car car + display(): String } class PictureAdFurniture{ - Furniture furniture + display(): String } class TextAdFurniture{ - Furniture furniture + display(): String } class Car{ - String picUrl - String make - String model - String[] features - int price } class Furniture{ - String picUrl - String description - float price } @enduml
795ac32b0fd2d4c804087bff4e3327ef226d41e3
f16bbddd5bab88fa7b338cf125ebfb11d8518e54
/Tower_Defense_Maxime_LANGLET/src/sample/diagram_PNJ.puml
2f86786ae480367a788f04d15d534dd891443981
[]
no_license
Maxlanglet/Tower-Defense-with-JAVAFX
4a56f702f792b4b602a852eb8e0452a5064c48e0
1e96def9a690499ec3ac8c0e5e099264315b1b97
refs/heads/master
2022-06-26T03:50:20.730985
2020-05-11T16:53:25
2020-05-11T16:53:25
263,100,332
0
0
null
null
null
null
UTF-8
PlantUML
false
false
2,446
puml
@startuml 'Ces diagrammes n'ont pas été généré automatiquement mais c'est moi même qui ait coder ' 'ces diagrammes' !define DARKBLUE !includeurl https://raw.githubusercontent.com/Drakemor/RedDress-PlantUML/master/style.puml ' your UML ' scale 0.6 Waves o-- "*" PNJ PNJ "1"*--"1" HealthBar : has PNJ "1"*--"1" path : has (PNJ, path) ... HealthBar PNJ <|--- LightEnemy PNJ <|--- HeavyEnemy class Waves{ - pnjs : ArrayList<PNJ> - wave_num : int - mult_num : int - stackPane : StackPane - grid : grid - labels : Ressources - isGameOver : boolean - timer : Timeline "constructor" Waves(stackPane : StackPane, grid : grid, labels : Ressources) - update() - spawn_wave() - spawn_Light_Enemy() - spawn_Heavy_Enemy() - isNewWave() + setGameOver() + newGame() } class path{ - X : List<Integer> - Y : List<Integer> - X2 : List<Integer> - Y2 : List<Integer> - pathTransition : PathTransition - PNJpath : Path - r : Random - random : int - path12 : int - repositionX : int - repositionY : int - duration : Duration "constructor" path(duration : Duration, ressources : Ressources) "constructor" path( repositionX : double, repositionY : double, path12 : int, duration : Duration, ressources : Ressources) + setNode(node : Node) + newLevel() + size() : int } abstract class PNJ { # health : HealthBar # healthpath : path # isAlive : boolean # path : path # dammage : int # sante : double # duration : Duration # ressources : int # pane : Pane # hitbox : ImageView # spawnx : double # spawny : double # wave : Waves # lables : Ressources # stackPane : StackPane - timer : Timeline "constructor" PNJ(stackPane : StackPane, grid : grid, wave : Waves, labels : Ressources) + setPause() + setPlay() + isInvisible() : boolean + update() + isDead() : boolean + doDamage() + removePNJ() + setDead() } class LightEnemy{ "constructor" LightEnemy(stackPane : StackPane, grid : grid, wave : Waves, labels : Ressources) } class HeavyEnemy{ "constructor" HeavyEnemy(stackPane : StackPane, grid : grid, wave : Waves, labels : Ressources) } class HealthBar{ - rectInt : Rectangle - innerWidth : double "constructor" HealthBar(path : path) + getDammage(value : double) + getHealth() : double } @enduml
459be804154d4f6d397d82316fd2314051862cfe
63114b37530419cbb3ff0a69fd12d62f75ba7a74
/plantuml/Library/PackageCache/com.unity.test-framework@1.1.16/UnityEngine.TestRunner/Utils/StacktraceFilter.puml
d30a8b29ba3bfa3b807c35cc31608bb930fd4636
[]
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
111
puml
@startuml class StackTraceFilter <<static>> { + {static} Filter(inputStackTrace:string) : string } @enduml
b248cbcc74a7f23b209f5a19d51ef1ece0443729
636d88cc43ec1ba57c3699ed58d0cec51a1a3084
/UML/class_diagram/Singleton_Class_diagram.puml
f02a575ee247d4ffe0a12039051db0e0472355fb
[]
no_license
ahmedAlraimi/Tasarim
088944d13cbdaeea4e0537f7035b1e7ad618c91c
c5a1ee24b3c57561cca80fd7a6e81359bde5b040
refs/heads/master
2020-04-26T15:33:28.741752
2019-07-10T13:09:39
2019-07-10T13:09:39
173,650,584
0
1
null
null
null
null
UTF-8
PlantUML
false
false
896
puml
@startuml skinparam classAttributeIconSize 0 class Demo_index{ } class LocationController{ {field} - location : Location {field} - view : LocationView {method} + setModel() {method} + setView() {method} + getLocation() {method} + useLocation() } class LocationView{ {method} + printLocation() } class Location{ {field} - type : String {field} - action : String {field} - location : MeetingHallSingleton {method} + getLocation() } class MeetingHallSingleton{ {field} - title : String {field} - limit : Integer {field} - type : String {static} - is_occupied {static} - hall {static} + reserve() {method} + checkOut() {method} + getTitle() {method} - __construct() {method} - __clone() {method} - __wakeup() } LocationController <- Demo_index : uses LocationView <- LocationController : updates LocationController --> Location : uses Location --> MeetingHallSingleton : asks @enduml
8b5a2d10f03c30daa9c08f06d01b0d5763d98dfa
c81b7b697e927417a35e531da84cc15be386cfbb
/src/main/java/com/wordpython/decorator/decorator.puml
6d9656f3c443226f5acb23a4e2cc81f19f65df8b
[]
no_license
wordpython/DesignPattern
9d3f98a732bc3d0a2bc7950456cdfa69f09ab6c3
92125162b0e55cd00c0a04e45fec81c8244ac513
refs/heads/master
2021-02-18T14:44:21.797776
2020-03-05T16:11:59
2020-03-05T16:11:59
245,207,022
0
0
null
null
null
null
UTF-8
PlantUML
false
false
732
puml
@startuml abstract class Drink{ + String des - float price {abstract} float cost() } class Coffee{ + float cost() } class Decorator{ - Drink drink + Decorator(Drink obj) + float cost() + String getDes() } class Espresso{ + Espresso() } class DeCaf{ + DeCaf() } class LongBlack{ + LongBlack() } class ShortBlack{ + ShortBlack() } class Milk{ + Milk(Drink obj) } class Soy{ + Soy(Drink obj) } class Chocolate{ + Chocolate(Drink obj) } class CofferBar{ } Coffee --|> Drink Decorator --|> Drink Decorator *-- Drink Chocolate --|> Decorator Milk --|> Decorator Soy --|> Decorator DeCaf --|> Coffee Espresso --|> Coffee LongBlack --|> Coffee ShortBlack --|> Coffee @enduml
8200f1e6d2eaf80a1baa17b004b5bebe986a0372
cce29a57ba4a057a882f22a930a104546431ccc4
/ch2/observer_example/patternized/classdiagram_patternized.puml
07fbfbdfb673151c000b9cb68b71475fa82ad100
[]
no_license
Jonghwanshin/embedded_design_pattern
9c98654aa7016ed36f2c7e8bc6db42b013e84160
751ac291d27a336060144c8d805406aa18d5926f
refs/heads/master
2021-04-26T04:39:32.035639
2019-10-05T04:24:36
2019-10-05T04:24:36
124,033,966
2
0
null
null
null
null
UTF-8
PlantUML
false
false
2,129
puml
@startuml classdiagram for observer pattern scale 2 class PatternLib::AbstrctObserver{ install():void update(instanceNum:int, value:int): void } class PatternLib::AbstractSubject{ nSubcribers:int = 0 value:int subscribe(updateFuncAddr:UpdateFuncPtr):void unsubscribe(updateFuncPtr:UpdateFuncPtr):void notify():void } class NotificationHandle{ updateAddr:UpdateFuncPtr } class TMDQueue{ head:int=0 size:int=0 nSubscribers:int=0 insert(tmd:TimeMarkedData):void remove(index:int):TimeMarkedData isEmpty():boolean getNextIndex(index:int):int notify(tmd:TimeMarkedData):void subscribe(updateFuncAddr:UpdateFuncPtr):void unsubscribe(updateFuncAddr:UpdateFuncPtr):void } class ECG_Module{ lead1:int lead2:int dataNum:int setLeadPair(l1:int,l2:int):void acquireValue():void } class ArrythemiaDetector{ pvcCount:int STSegmentHeight:int firstDegreeHeatBlock:int Two_one_heartBlock:int prematrueAtrialContraction:int fibrillation:int ' index:int=0 identifyArrthmia():void ' getDataSample():void update(tmd: TimeMarktedData):void init() cleanup() } class QRSDetector{ heartRate:int ' index:int computeHR():void ' getDataSample():void update(tmd: TimeMarktedData):void init() cleanup() } class HistorgramDisplay{ ' index:int=0 updateHistogram():void ' getValue():void update(tmd: TimeMarktedData):void init() cleanup() } class WaveformDisplay{ index:int=0 display():void ' getScalarValue():void update(tmd: TimeMarktedData):void init() cleanup() } NotificationHandle <-- NotificationHandle NotificationHandle <-- TMDQueue PatternLib::AbstrctObserver <|-- WaveformDisplay PatternLib::AbstrctObserver <|-- HistorgramDisplay PatternLib::AbstrctObserver <|-- QRSDetector PatternLib::AbstrctObserver <|-- ArrythemiaDetector PatternLib::AbstractSubject <|-- TMDQueue TMDQueue <-- ECG_Module TMDQueue <-- ArrythemiaDetector TMDQueue <-- QRSDetector TMDQueue <-- HistorgramDisplay TMDQueue <-- WaveformDisplay @enduml
e12b1e82abcf112482360292563a786b0b1989a8
5d180276957df094f09ee511e05786316537f25d
/src/main/java/month/month.plantuml
2523adb766613eee19bb8ca7fc04f73a013e1875
[ "Apache-2.0" ]
permissive
SomberOfShadow/Local
f727189f1791de203f1efd5cd76b8f241857e473
474e71024f72af5adf65180e5468de19ad5fdfd8
refs/heads/main
2023-07-18T04:11:49.240683
2021-09-07T15:55:28
2021-09-07T15:55:28
389,494,221
0
0
null
null
null
null
UTF-8
PlantUML
false
false
336
plantuml
@startuml title __MONTH's Class Diagram__\n namespace month { class month.getMonthTest { {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
d03f8eb05682b7a8167aeb3611b4ddf36ca285e7
a312e266365b7854cda81f8315faa33e51c30074
/CinnamonCinema.puml
9713127efeef55c2de836b89fba70d7830847717
[]
no_license
abinormal/CinnamonCinemas
23574afaf56798108aaac4aedab68e85c8fd5ee9
01bb9a5eaebdba04d9b61ce4c873f22cf3d92e10
refs/heads/main
2023-08-19T13:37:52.957126
2021-10-22T12:35:14
2021-10-22T12:35:14
419,246,936
0
0
null
null
null
null
UTF-8
PlantUML
false
false
322
puml
@startuml 'https://plantuml.com/class-diagram Cinema --{ "many" Customer Cinema -- Controller class Controller { +customer:ArrayList } class Cinema { -seats: array[][] +allocateSeats(seats int):int +print() } class Customer{ +id : int +seats : String[] +print() +print(id : int) } @enduml
7b25b240da12ed0e690f60f608a880ada70ed3cc
299b128aa49ea8056a297d9ac1141bd3837b0c71
/src/main/java/ex43/ex43.puml
a9a63516d7ab9ad2103f5512ceb3d1c2270e4968
[]
no_license
DyroZang/mousa-cop3330-assignment3
b9cbe9cfe95bc82797f426b986b65a1010a660ab
85d49ecd8592919592be8706fc54b2b37d62a450
refs/heads/master
2023-08-23T11:14:59.921548
2021-10-11T21:10:09
2021-10-11T21:10:09
416,087,579
0
0
null
null
null
null
UTF-8
PlantUML
false
false
181
puml
@startuml class ex43.App { ~ {static} void printer(String[]) ~ {static} void establishFiles(String[]) ~ {static} String[] prompter(String[]) + {static} void main(String[]) } @enduml
f3793e816ccbc7630305c12a6f22fd6691393e24
cf4a96462c2391f2af0893e6a5afbfdf46ab37ac
/Diagramas/Puml/processor_inferior.puml
d41c0b4f141bbe12037c6120440d36e4abd4d58d
[]
no_license
Alex1161/tp1
e84f08dd3546c03cd467dd1c7edc0e7ce6795085
03759a87a502b0ad183f641077b065413d07fbcc
refs/heads/master
2023-01-07T12:31:21.609474
2020-11-01T15:02:54
2020-11-01T15:02:54
302,702,659
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,147
puml
@startuml Processor inferior hide circles skinparam ClassAttributeIconSize 0 hide interface fields Class Encryptor{ -nombre: char * -key: char * +encode(message: const char *, message_size: size_t, result: unsigned char *): int +decode(code: unsigned char *, code_size: size_t, message: char *): int } Class Socket{ -fd: int +socket_bind_listen(service: const char *): int +socket_accept(peer: socket_t *): int +socket_connect(host: const char *, service: const char *): int +socket_send(buffer: const char *, length: size_t): int +socket_receive(buffer: char *, length: size_t): int } Class File_processor{ -name: const char* -file: File * -file_size: size_t +file_processor_read(msg: char *): size_t +file_processor_write(buffer: char *, size_buffer: size_t): size_t } class Processor{ +processor_process_client(server_host: const char *, server_port: const char *, file_name: const char *): int +processor_process_server(server_port: const char *, file_name: const char *): int } Processor *-up- File_processor Processor -up-> Socket Processor -down-> Encryptor @enduml
be755fd90329910d1b5ea979b897b8d16027f2c8
65d20a2522663f335ac05ff61a0d00cb3c9e02d6
/设计模式/结构型模式/9.Decorator装饰器/decorator.puml
79f96e4d8efb7188b8687e47d8be9d16a3d36696
[]
no_license
GungnirLaevatain/doc
3f436387665cd67b93e84df0a0c92f9f894ad4a3
519643453e49a5a82e4a971597d186bfdc280116
refs/heads/master
2020-08-08T15:52:54.217559
2020-03-16T02:10:08
2020-03-16T02:10:08
213,863,201
0
0
null
null
null
null
UTF-8
PlantUML
false
false
512
puml
@startuml interface Printf{ +{abstract} void printString(String source) } abstract class PrintfDecorator{ # Printf printf + PrintfDecorator(Printf printf) + void printString(String source) } class CommonPrintf{ + void printString(String source) } class FilterPrintf{ + void printString(String source) } class Client{ +{static}void main(String[] args) } PrintfDecorator....|> Printf CommonPrintf..|> Printf FilterPrintf--|> PrintfDecorator PrintfDecorator-->Printf :装饰 Client..>Printf @enduml
b0dab78ab9646bc74873060daa40de4ef7acd37c
5124b2dbc6276b681910d5584179a02ddc345669
/documentation/uml/class/Main.puml
99f882602ac34487dabe92fd6ab3fed9c20a9f3e
[]
no_license
Dedda/paintball
258257ce2b0b6160abe4a9dbbbf7c7a658416d5b
fb18cf11e2fc3f7eca7e0d26a2847743b560dc2f
refs/heads/master
2020-12-30T09:58:02.507682
2015-06-16T17:22:59
2015-06-16T17:22:59
30,232,508
1
1
null
null
null
null
UTF-8
PlantUML
false
false
82
puml
@startuml class hotel.main.Main { + {static} main(String[]) : void } @enduml
8b2f436293eae74ea897a6be7d3edb58488c31c2
0cb29c43efe769f3399305a621f91363fba64585
/uml/command_class.puml
b51d3d8ca14a53cafc65f0db8ecbbc54b963e4d3
[]
no_license
lsy563193/design_patterns
94c924b4e2b199656d8e7d7d952e496d64d90481
b4a02421c62d5da8a41b2d2b0f23dfd8843cbb99
refs/heads/master
2020-03-07T17:25:40.888472
2018-04-01T09:59:07
2018-04-01T09:59:07
127,610,812
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,001
puml
@startuml abstract Command { + void execute() } ConcreteCommand -up-|> Command abstract Receiver{ + void action() } class ConcreteCommand { Receiver *m_pReceiver; } class Invoker { void call() } Clien -right->Receiver Receiver -right-> ConcreteCommand Invoker -right-> Command @enduml ' ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ @startuml abstract Command { -ConcreteReceiver1 -ConcreteReceiver2 -ConcreteReceiver3 --- + void execute() } interface Receiver{ + void command1() + void command2() + void command3() } class Invoker { void setCommand() void call() } Clien -right->Invoker Invoker -up--> Command Command -up->ConcreteReceiver1 Command -up->ConcreteReceiver2 Command -up->ConcreteReceiver3 Command -down-> ConcreteCommand1 Command -down-> ConcreteCommand2 Command -down-> ConcreteCommand3 ConcreteReceiver1 -up-|> Receiver ConcreteReceiver2 -up-|> Receiver ConcreteReceiver3 -up-|> Receiver @enduml
f89df584f24ceac533dae9f262eb7d068ecbb7f5
24ca4d272192509dd1793344d8a81586f5786eac
/shiro/A_Class_UML/ReflectionBuilder.Statement .puml
eb114e81d162e15865dcbf1fff1d10c2e5ffa3cd
[]
no_license
ljhupahu/MyProject
e5c92227e3252618ad5873427fdec585dd8d24c6
9bf94b4fc95a8012d024a6a8b6250f1b56367e15
refs/heads/master
2019-07-12T03:51:53.230109
2018-04-24T14:31:06
2018-04-24T14:31:06
92,294,198
0
0
null
null
null
null
UTF-8
PlantUML
false
false
361
puml
@startuml abstract class ReflectionBuilder.Statement{ protected final String lhs; protected final String rhs; protected Object bean; private Object result; abstract Object doExecute(); } ReflectionBuilder.Statement <|-- ReflectionBuilder.AssignmentStatement ReflectionBuilder.Statement <|-- ReflectionBuilder.InstantiationStatement @enduml
151a0e55dccd37158c24763eb9f32b1438774e61
d97b774fd95a8e98e37c46ee1771f6e6e407a148
/uml/api/CountryNotConfiguredInStoreError.puml
10a800428cb208f17c9a7753a92b48a2ccdff766
[]
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 CountryNotConfiguredInStoreError [[CountryNotConfiguredInStoreError.svg]] extends ErrorObject { code: String message: String storeCountries: [[String.svg List<String>]] country: String } interface ErrorObject [[ErrorObject.svg]] { code: String message: String } @enduml
090bc9145cb29e82bfbadddc41986555c81d8d56
57e8b8da601d18fc1d3b94c01ea1cba7e0afeae5
/server/Izeat/src/java/fr/izeat/service/nutritionEngine/FoodItemsUML.puml
9555eb4e9a0786391581512ff389e56baa303956
[ "ISC" ]
permissive
baballev/Izeat
89091a7d34a51186ad1c6115301074f67c63b6f3
230416058c65a52e7ccdbbbc7a8cc14416b9a199
refs/heads/master
2022-10-31T22:20:55.149931
2020-06-08T14:42:04
2020-06-08T14:42:04
270,700,260
0
0
null
null
null
null
UTF-8
PlantUML
false
false
290
puml
@startuml class FoodItem { private NutritionValues nutritionValues private String name public NutritionValues getNutritionValues() public void setNutritionValues(NutritionValues nutritionValues) public String getName() public void setName(String name) } @enduml
d31d5f0fcae2df0b36f560e46dabbdd1e083f85a
7b13715b0b972ea52b88ad8097cc8cb7b41f2bb1
/Rendu/doc/javadoc/ch/tofind/commusica/session/UserSessionManager.puml
5928f92448f1ecfa33ca821a5dfee9ff62275c3f
[]
no_license
heig-vd-pro2017/projet
8f6e9bb5cc75baaf809eda87b31d7de8c632f713
db1e7ff720076eea9efe2c4fc8bcad97d80ca2f1
refs/heads/master
2021-01-16T23:21:13.159819
2017-05-29T17:32:48
2017-05-29T17:32:48
82,906,602
5
2
null
2017-04-02T16:05:43
2017-02-23T08:55:46
Java
UTF-8
PlantUML
false
false
1,473
puml
@startuml class UserSessionManager { [[UserSessionManager.html]] {static} -LOG: Logger {static} -instance: UserSessionManager -activeSessions: Map<Integer, UserSession> -inactiveSessions: Map<Integer, UserSession> -usersAskedForPlayPause: Set<Integer> -usersAskedForNextTrack: Set<Integer> -usersAskedForPreviousTrack: Set<Integer> -usersAskedToTurnVolumeUp: Set<Integer> -usersAskedToTurnVolumeDown: Set<Integer> -scheduledExecutorService: ScheduledExecutorService {static} +getInstance(): UserSessionManager +store(Integer): void +countActiveSessions(): int +countInactiveSessions(): int +countPlayPauseRequests(): int +countNextTrackRequests(): int +countPreviousTrackRequests(): int +countTurnVolumeUpRequests(): int +countTurnVolumeDownRequests(): int +playPause(Integer): void +previousTrack(Integer): void +nextTrack(Integer): void +upvote(Integer, String): void +downvote(Integer, String): void +turnVolumeUp(Integer): void +turnVolumeDown(Integer): void +resetNextTrackRequests(): void +resetPreviousTrackRequests(): void +resetTurnVolumeUpRequests(): void +resetTurnVolumeDownRequests(): void +resetPlayPauseRequests(): void -deleteObsoleteSessions(): void +stop(): void } @enduml
2411cd9e5b6f921d9b13473cbef8f8604a185581
d97b774fd95a8e98e37c46ee1771f6e6e407a148
/uml/api/SubscriptionSetKeyAction.puml
ffa622d50b38109dd10908a432657bb534ad778b
[]
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
454
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 SubscriptionSetKeyAction [[SubscriptionSetKeyAction.svg]] extends SubscriptionUpdateAction { action: String key: String } interface SubscriptionUpdateAction [[SubscriptionUpdateAction.svg]] { action: String } @enduml
2c2d2ca15733c109e3ac7e63e9fc7bb065f0ce82
c067a7796bba1bcd97ed5d7a5a7877a3217d532c
/uml/Properties/Proxy/DatiProxy.puml
167d77b0cab2a037a5a1e6d7bbd1c18aaee644e7
[]
no_license
inifares23lab/PMO_Proj-DatiCovid
6897e2d04753c6faff3045aa2ac8822035683e14
186ec91ef3eb5647439c346909bfd8e7b3fb9e6e
refs/heads/master
2022-10-22T03:17:14.494294
2020-06-16T21:10:50
2020-06-16T21:10:50
null
0
0
null
null
null
null
UTF-8
PlantUML
false
false
261
puml
@startuml class DatiProxy { - _url : string - _path : string + DatiProxy(url:string, path:string) - GetDati() : Dati + DownloadDati() : JArray } IDati <|-- DatiProxy DatiProxy --> "_dati" Dati DatiProxy --> "check" CheckDataDownload @enduml
6f157bf8a88fcdb54efa52cd81b412a1dffce308
a1eb6871a4ccbc6135b331ae824db91ec7b71e4e
/build/payment-upon-iot@0.7.0.puml
35c4eade379901c092ce7399ed67a8457fd8c9cb
[ "Apache-2.0", "CC-BY-4.0", "LicenseRef-scancode-unknown-license-reference" ]
permissive
accordproject/cicero-template-library
737586850933daac2fbff2ff8b2d60dd50526b80
35e6c93ba9d9e78d9384c44a78d85ac216d9e9ea
refs/heads/main
2023-04-27T01:07:05.932361
2022-08-26T13:02:59
2022-08-26T13:02:59
109,224,687
77
149
Apache-2.0
2023-04-20T21:43:00
2017-11-02T06:11:37
HTML
UTF-8
PlantUML
false
false
1,109
puml
@startuml class org.accordproject.payment.iot.CounterState << (A,green) >> { + ContractLifecycleStatus status + Double counter + Double paymentCount } org.accordproject.payment.iot.CounterState --|> org.accordproject.cicero.contract.AccordContractState class org.accordproject.payment.iot.ContractLifecycleStatus << (E,grey) >> { + INITIALIZED + RUNNING + COMPLETED } class org.accordproject.payment.iot.CounterResponse << (T,yellow) >> { + Double counter + Double paymentCount } org.accordproject.payment.iot.CounterResponse --|> org.accordproject.cicero.runtime.Response class org.accordproject.payment.iot.MonetaryAmountPayment << (T,yellow) >> { + MonetaryAmount amount } org.accordproject.payment.iot.MonetaryAmountPayment --|> org.accordproject.payment.PaymentReceived class org.accordproject.payment.iot.PaymentUponButtonContract << (A,green) >> { + AccordParty buyer + AccordParty seller + MonetaryAmount amountPerUnit + Integer paymentCount } org.accordproject.payment.iot.PaymentUponButtonContract --|> org.accordproject.cicero.contract.AccordContract @enduml
7cf484e4b384cdb68b14b13e86525f1b00f4d088
2658a42eb6bbcc140cae19c1120864277f893b2f
/documentation/src/orchid/resources/assets/diagrams/constant.puml
0cc26f3414ffdeb4117c80902e2ee64bd64bccfe
[ "Apache-2.0" ]
permissive
tuProlog/2p-kt
0935dbeb88272f79df1ebbd2339767bccc8ecfa4
6510ea0414985b708dd492ee240727f2e261176c
refs/heads/master
2023-08-17T18:41:12.310798
2023-07-19T10:34:16
2023-07-19T13:13:27
230,784,338
84
15
Apache-2.0
2023-09-13T22:49:25
2019-12-29T17:51:34
Kotlin
UTF-8
PlantUML
false
false
319
puml
@startuml left to right direction skinparam shadowing false interface Term { + isGround: Boolean + variables: Sequence<Var> + equals(other: Any): Boolean + structurallyEquals(other: Term): Boolean + freshCopy(): Term + toString(): String } interface Constant { + value: Any } Term <|-- Constant @enduml
a9efa89937ac3c23a7c499ae17a2aab18fa27f25
90c20a92a65e3ef715db1c0b67517e1c35fb0903
/src/com/company/accountbook/accountBookUML.puml
171e56065b6951b937d3ca99b8b289c99fb15404
[]
no_license
Kimyechan/account-book
63ed4864a2277a68e108113c5f5d74c79cd52b6c
c3a521d8cc78f224527cf34ba8b22b461e64d452
refs/heads/master
2023-01-01T03:03:06.192662
2020-10-23T04:51:54
2020-10-23T04:51:54
303,882,112
0
2
null
null
null
null
UTF-8
PlantUML
false
false
6,015
puml
@startuml enum ExpenseCategory { FOOD CLOTH TAX } enum IncomeCategory { SALARY POCKET_MONEY FINANCIAL_MONEY ETC } enum PayCategory { CARD MONEY GIFT_CARD } class AccountBook { - int bookId; - String userName; - List<Report> reportList; + String toString(); } class Report { - static String accountBookName; - int reportId; - boolean isIncome; - String paymentMethod; - String category; - int price; - String content; - int year; - int month; - int day; + String toString(); } interface AccountBookDAO { void insertAccountBook(String username, String password); List<AccountBook> findAll(); AccountBook findByBookName(String bookName); void update(String bookName, String changedBookName, String changedPass); void delete(String bookName); } class AccountBookDAOImpl implements AccountBookDAO { } class AccountBookService { AccountBookDAOImpl accountBookDAOImpl ReportDAOImpl reportDAOImpl + void addAccountBook(String bookName, String pass) + List<AccountBook> getAccountBooks() + boolean checkExisting(String bookName) + boolean checkAccessRight(String bookName, String password) + void updateAccountBook(String bookName, String changedBookName, String changedPass) + void deleteAccountBook(String bookName) } AccountBookService *-- AccountBookDAOImpl AccountBookService *-- ReportDAOImpl interface ReportDAO { void insertReport(boolean isIncome, String paymentMethod, String category, int price, String memo, LocalDate date); List<Report> findDayReport(int year, int month, int day); List<Report> findWeekReport(LocalDate startDate, LocalDate endDate); List<Report> findMonthReport(int year, int month); List<Report> findYearReport(int year); List<Report> findIsComeReport(boolean isInCome); List<Report> findIncomeCategoryReports(String content); List<Report> findExpenseCategoryReports(String content); List<Report> findReportByIsInComeAndCategory(boolean isIncome, String content); List<Report> findAllReport(String accountBookName); void delete(Integer reportId); void deleteBookCascade(String bookName); void updateBookCascade(String changedBookName, String bookName); } class ReportDAOImpl implements ReportDAO{ } class ReportService { ReportDAOImpl reportDAOImpl - void addReport(boolean isIncome, String paymentMethod, String category, int price, String content, LocalDate date) + List<Report> getDayReports(int year, int month, int day) + List<Report> getMonthReports(int year, int month) + List<Report> getYearReports(int year) + List<Report> getIsComeReports(boolean isIncome) + List<Report> getIncomeCategoryReports(IncomeCategory category) + List<Report> getExpenseCategoryReports(ExpenseCategory category) + void setBookNameForReportList(String bookName) + Map<String, Integer> getDayExpenseStatics(int year, int month, int day) + Map<String, Integer> getMonthExpenseStatics(int year, int month) + Map<String, Integer> getYearExpenseStatics(int year) - Map<String, Integer> getStatistics(List<Report> reports) + Integer getCategoryPrice(List<Report> reports, ExpenseCategory category) + public Map<String, Integer> getDayIncomeStatics(int year, int month, int day) + Map<String, Integer> getMonthIncomeStatics(int year, int month) + Map<String, Integer> getYearIncomeStatics(int year) + Integer getCategoryPrice(List<Report> reports, IncomeCategory category) + Integer getExpenseAllStatics() + Integer getIncomeAllStatics() + Map<String, Integer> calculateCurrentAllMoney() + Map<String, Integer> calculateCurrentMonthMoney(int year, int month) + Map<String, Integer> calculateCurrentYearMoney(int year) + Map<String, Integer> getCurrentMoneyStream(List<Report> reports) + void deleteReport(Integer reportId) } ReportService *-- ReportDAOImpl class AccountBookMenu { AccountBookService accountBookService ReportService reportService String accountBookName String password static AccountBookMenu instance static AccountBookMenu getInstance() void accountBookMenu() } class CheckMenu { ReportService reportService Scanner sc - int year; - int month; - int day; - static CheckMenu instance; - static CheckMenu getInstance() + void checkMenuPrint() + void dayCheckReport() + void weekCheckReport() + void monthCheckReport() + void yearCheckReport() } class InputDateMenu { Scanner sc * int year; * int month; * int day; - static InputDateMenu instance; - InputDateMenu() + static InputDateMenu getInstance() + void inputYearMonthDay() + void inputYearMonth() + void inputYear() + void inputReportDate( } class InputReportMenu { ReportService reportService InputDateMenu inputDateMenu Scanner sc - String number; - String category; - String content; - String paymentMethod; - static InputReportMenu instance - InputReportMenu() + static InputReportMenu getInstance() + void inputReportMenuPrint() + void inputExpenseReport() + void inputIncomeReport() } class MainMenu { Scanner sc - static MainMenu instance + static MainMenu getInstance() + void mainMenuPrint() } class StatisticsMenu { Scanner sc - int totalMoney Map<String, Integer> expense Map<String, Integer> income InputDateMenu inputDateMenu ReportService reportService - static StatisticsMenu instance; + static StatisticsMenu getInstance() + void statisticsMenuPrint() + void printStatistics(boolean isIncome,Map<String, Integer> reportList) } AccountBookMenu *-- AccountBookService AccountBookMenu *-- ReportService CheckMenu *-- ReportService InputReportMenu *- ReportService InputReportMenu o-- InputDateMenu StatisticsMenu *-- ReportService StatisticsMenu o-- InputDateMenu @enduml
388d66e81950b32c4b1270e20ae87503e80e3074
57515bfad33d5ab1e68cccc924700e88316e19b9
/DiagramaClases/Clases/Clientes.puml
2f948cf97911c09e6b7bd2e0ee6ddd2af4feb8cb
[]
no_license
NicolasBachs/DocumentacionZMGestion
0e42009bf3bbf4d244e85a8545997c880f233074
a099ddb44b8911b8428b9c4bdc2f9156c480af47
refs/heads/master
2023-01-27T17:57:29.235074
2020-12-02T15:35:21
2020-12-02T15:35:21
232,633,959
1
0
null
2020-01-08T18:44:12
2020-01-08T18:44:11
null
UTF-8
PlantUML
false
false
359
puml
@startuml Clientes hide circle class Clientes{ idCliente: int tipo: string razonSocial: string idPais: int listarDomicilios(): List<Domicilios> listarVentas(): List<Ventas> listarPresupuestos(): List<Presupuestos> crearDomicilio(domicilio Domicilios): Reponse borrarDomicilio(domicilio Domicilios): Response } @enduml
b8051f5df9cced40eeae5a564ff872bac614e01b
73dcd3b03616c43de6d152bce414630d880b7f7f
/docs/Classes.puml
ddfc9176554435b086317fda1b5be36774495fa1
[]
no_license
AltarixTraining2016/sokolov.dmitry
c75a0ffbd360fb1026c19ba92098bdc8ae5782b8
1b66176f49545c7270070c61b770bda1fe5220e0
refs/heads/master
2021-01-18T05:55:02.385109
2016-07-12T08:21:34
2016-07-12T08:21:34
60,672,679
0
1
null
null
null
null
UTF-8
PlantUML
false
false
212
puml
@startuml class Type { int _id String name } class Device { int _id String name Type type } class Metering { int _id Date creationDate } class Summary { } Type "1" --o Device Device "1" --o Metering @enduml