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
3861d39df17ce9a689d80e262580d0ec5efa18f1
8a995c72072a4232d8f3b8a03eeebdd787e8a756
/doc/diagrams/class/org.xbmc.kore.ui.puml
1c96d43c3894096a76f0eadaf8e86a705781b8fb
[ "Apache-2.0" ]
permissive
mueller-ma/Kore
33f0043f5c90b9754355d32f0f23694fd4f6fdab
a0b5784d148fcea559d56434e3f87e594c58b8a4
refs/heads/master
2023-03-14T14:15:08.460211
2021-01-31T20:36:25
2021-05-17T18:17:54
375,481,511
1
0
Apache-2.0
2021-06-09T20:29:07
2021-06-09T20:29:06
null
UTF-8
PlantUML
false
false
6,188
puml
@startuml interface SharedElement { Required for all fragments that support shared element transitions + boolean isSharedElementVisible() } class DataHolder { Holds required data used by info and details fragments + DataHolder(Bundle bundle) + DataHolder(int itemId) + void setBundle(Bundle bundle) + void setPosterTransitionName(String posterTransitionName) + void setSquarePoster(boolean squarePoster) + void setRating(double rating) + void setMaxRating(int maxRating) + void setVotes(int votes) + void setPosterUrl(String posterUrl) + void setTitle(String title) + void setUndertitle(String underTitle) + void setDescription(String description) + void setDetails(String details) + void setFanArtUrl(String fanArtUrl) + void setId(int id) + String getPosterTransitionName() + boolean getSquarePoster() + double getRating() + int getMaxRating() + int getVotes() + String getPosterUrl() + String getTitle() + String getUnderTitle() + String getDescription() + String getDetails() + String getFanArtUrl() + int getId() + Bundle getBundle() } abstract class AbstractFragment { Holds the dataholder to provide quick access to required data in info and detail fragments. This is required to provide a smooth and responsive UX, especially when using shared element transitions. + void setDataHolder(AbstractInfoFragment.DataHolder dataHolder) + AbstractInfoFragment.DataHolder getDataHolder() } abstract class AbstractAdditionalInfoFragment { Defines mandatory methods for fragments that can be added to information fragments + abstract void refresh() } abstract class AbstractInfoFragment { Defines a common UI for information fragments. Concrete implementations of this class should ideally only provide the data, while the AbstractInfoFragment contains the logic to present the UI and react to user input. -- Implements -- + boolean isSharedElementVisible() -- Generic -- Allows concrete fragment to get certain data or update the UI -- # void refreshAdditionInfoFragment() # HostManager getHostManager() # HostInfo getHostInfo() # void updateView(DataHolder dataHolder) # RefreshItem getRefreshItem() # void setExpandDescription(boolean expandDescription) -- Media action bar -- Adding a listener in a concrete fragment will add the corresponding button to the UI -- # void setOnDownloadListener(final View.OnClickListener listener) # void setOnAddToPlaylistListener(View.OnClickListener listener) # void setOnGoToImdbListener(View.OnClickListener listener) # void setOnSeenListener(final View.OnClickListener listener) # void setOnPinClickedListener(final View.OnClickListener listener) # void setDownloadButtonState(boolean state) # void setSeenButtonState(boolean state) # void setPinButtonState(boolean state) -- Abstract methods -- Every concrete fragment is able to add additional info using an AbstractAdditionalInfoFragment. This will be placed below the generic info. Every concrete fragment should implement a refresh functionality. The method setupMediaActionBar() will be called when the media action bar buttons are available. This is where the concrete fragment should call the setOn*Listeners to connect listeners to specific media action buttons. The method setupFAB(ImageButton FAB) will be called to allow adding a listener. It should return true to enable the FAB, false to disabled it. -- # {abstract} AbstractAdditionalInfoFragment getAdditionalInfoFragment() # {abstract} RefreshItem createRefreshItem() # {abstract} boolean setupMediaActionBar() # {abstract} boolean setupFAB(ImageButton FAB) } abstract class AbstractTabsFragment { Defines a common UI for fragments that want to use a viewpager and a scrollable tab bar. -- Implements -- + boolean isSharedElementVisible() -- # {abstract} TabsAdapter createTabsAdapter(AbstractInfoFragment.DataHolder dataHolder) } class ConcreteTabsFragment { The returned TabsAdapter should hold all required tabs # TabsAdapter createTabsAdapter(AbstractInfoFragment.DataHolder dataHolder) } class ConcreteInfoFragment { Should be able to provide the required information by updating the DataHolder. Use getDataHolder() to get the current DataHolder and update it. Use updateView(DataHolder) to force an update of the UI with the updated DataHolder. -- # AbstractAdditionalInfoFragment getAdditionalInfoFragment() # RefreshItem createRefreshItem() # boolean setupMediaActionBar() } class ConcreteAdditionalInfoFragment { # void refresh() } abstract class AbstractListFragment { # {abstract} AdapterView.OnItemClickListener createOnItemClickListener() # {abstract} BaseAdapter createAdapter() + void hideRefreshAnimation() + void showRefreshAnimation() + BaseAdapter getAdapter() + TextView getEmptyView() } abstract class AbstractCursorListFragment { # {abstract} void onListItemClicked(View view) # {abstract} CursorLoader createCursorLoader() # {abstract} String getListSyncType() # AdapterView.OnItemClickListener createOnItemClickListener() # String getSyncID() # int getSyncItemID() # void onRefresh() + void refreshList() + String getSearchFilter() + public void saveSearchState() + void onLoaderReset((Loader<Cursor> cursorLoader)) } class ConcreteCursorListFragment { # void onListItemClicked(View view) # CursorLoader createCursorLoader() # String getListSyncType() # BaseAdapter createAdapter() } class ConcreteListFragment { # AdapterView.OnItemClickListener createOnItemClickListener() # BaseAdapter createAdapter() # void onRefresh() } Fragment <|-- AbstractFragment AbstractFragment <|-- AbstractAdditionalInfoFragment AbstractFragment *--- DataHolder AbstractFragment <|-- AbstractTabsFragment AbstractFragment <|-- AbstractInfoFragment SharedElement <|.. AbstractInfoFragment SharedElement <|.. AbstractTabsFragment AbstractTabsFragment <|-- ConcreteTabsFragment AbstractInfoFragment <|-- ConcreteInfoFragment AbstractAdditionalInfoFragment <|-- ConcreteAdditionalInfoFragment Fragment <|-- AbstractListFragment AbstractListFragment <|-- AbstractCursorListFragment AbstractCursorListFragment <|-- ConcreteCursorListFragment AbstractListFragment <|-- ConcreteListFragment AbstractInfoFragment *--- AbstractAdditionalInfoFragment @enduml
fb9eb09ebd1582f6ad2b21c95a39ad6d47611625
d97b774fd95a8e98e37c46ee1771f6e6e407a148
/uml/api/StagedQuoteSellerCommentSetMessage.puml
2d02e060c02f5e0dcee16aa900647dadc001cc39
[]
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
1,175
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 StagedQuoteSellerCommentSetMessage [[StagedQuoteSellerCommentSetMessage.svg]] extends Message { id: String version: Long createdAt: DateTime lastModifiedAt: DateTime lastModifiedBy: [[LastModifiedBy.svg LastModifiedBy]] createdBy: [[CreatedBy.svg CreatedBy]] sequenceNumber: Long resource: [[Reference.svg Reference]] resourceVersion: Long type: String resourceUserProvidedIdentifiers: [[UserProvidedIdentifiers.svg UserProvidedIdentifiers]] sellerComment: String } interface Message [[Message.svg]] { id: String version: Long createdAt: DateTime lastModifiedAt: DateTime lastModifiedBy: [[LastModifiedBy.svg LastModifiedBy]] createdBy: [[CreatedBy.svg CreatedBy]] sequenceNumber: Long resource: [[Reference.svg Reference]] resourceVersion: Long type: String resourceUserProvidedIdentifiers: [[UserProvidedIdentifiers.svg UserProvidedIdentifiers]] } @enduml
88f2f055ca66a823c7e3149242983b4e1ac63223
2099ea9bcbc7ae9c8c28d59f9e0fffbf478c1f03
/UML/vendor/yiisoft/yii2-twig.puml
6302601d0fe26dc40b48adb298cd97ecf893fc56
[]
no_license
adipriyantobpn/UML-diagram-for-some-PHP-packages
b3e3ed8e8898e4a5d56f0647cfbedaaa9d2dbdd5
0a9308fbd2d544c8f64a37cf9f11011edfc40ace
refs/heads/master
2021-08-19T19:24:34.948176
2017-11-27T07:48:10
2017-11-27T07:48:10
112,164,778
0
0
null
null
null
null
UTF-8
PlantUML
false
false
4,910
puml
@startuml skinparam handwritten true class yii.twig.Extension { #aliases : array = [] #namespaces : array = [] #widgets : array = [] +addUses(args : array) +beginWidget(widget : string, config : array = []) : mixed +call(className : string, method : string, arguments : array = null) : mixed +endWidget(widget : string = null) +getFunctions() +getName() +getNodeVisitors() +path(path : string, args : array = []) : string +registerAsset(context : array, asset : string) : mixed +registerAssetBundle(context : array, bundle : string, return : bool = false) : void|AssetBundle +resolveAndCall(className : string, method : string, arguments : array = null) : mixed +resolveClassName(className : string) : string +setProperty(object : stdClass, property : string, value : mixed) +url(path : string, args : array = []) : string +viewHelper(context : array, name : string = null) +widget(widget : string, config : array = []) : mixed +__construct(uses : array = []) } class yii.twig.Extension extends Twig_Extension class yii.twig.GetAttr { +compile(compiler : Twig_Compiler) } class yii.twig.GetAttr extends Twig_Node_Expression class yii.twig.GetAttrAdjuster { +enterNode(node : Twig_Node, env : Twig_Environment) +getPriority() +leaveNode(node : Twig_Node, env : Twig_Environment) } class yii.twig.GetAttrAdjuster implements Twig_NodeVisitorInterface class yii.twig.Optimizer { +enterNode(node : Twig_Node, env : Twig_Environment) +getPriority() +leaveNode(node : Twig_Node, env : Twig_Environment) } class yii.twig.Optimizer implements Twig_NodeVisitorInterface class yii.twig.Profile { #profiler #view +__construct(profile : Twig_Profiler_Profile) } class yii.twig.Profile extends Twig_Extension_Profiler class yii.twig.Template { +{static}attribute(env : Twig_Environment, source : Twig_Source, object : mixed, item : mixed, arguments : array = [], type : yii.twig.string = "~~NOT RESOLVED~~", isDefinedTest : yii.twig.bool = false, ignoreStrictCheck : yii.twig.bool = false) : mixed #displayWithErrorHandling(context, blocks = []) } class yii.twig.Twig_Empty_Loader { +exists(name) +getCacheKey(name) +getSourceContext(name) +isFresh(name, time) } class yii.twig.Twig_Empty_Loader implements Twig_LoaderInterface class yii.twig.ViewRenderer { +cachePath : string = "@runtime/Twig/cache" +extensions : array = [] +filters : array = [] +functions : array = [] +globals : array = [] +lexerOptions : array = [] +options : array = [] +twig : Twig_Environment +twigFallbackPaths : array = [] +twigModulesNamespace : string = "modules" +twigViewsNamespace : string = "~~NOT RESOLVED~~" +twigWidgetsNamespace : string = "widgets" +uses : array = [] #addAliases(loader : Twig_Loader_Filesystem, aliases : array) +addExtensions(extensions : array) #addFallbackPaths(loader : Twig_Loader_Filesystem, theme : yii.base.Theme|null) +addFilters(filters : array) +addFunctions(functions : array) +addGlobals(globals : array) +init() +render(view : View, file : string, params : array) : string +setLexerOptions(options : array) -_addCustom(classType : string, elements : array) } class yii.twig.ViewRenderer extends yii.base.ViewRenderer class yii.twig.ViewRendererStaticClassProxy { -_staticClassName +__call(method : string, arguments : array) : mixed +__construct(staticClassName : string) +__get(property : string) : mixed +__isset(property : string) : bool +__set(property : string, value : mixed) : mixed } abstract class yii.twig.html.BaseClassNode { +compile(compiler : Twig_Compiler) +getHelperMethod() } class yii.twig.html.BaseClassNode extends Twig_Node abstract class yii.twig.html.BaseCss_TokenParser { +getNodeClass() +parse(token : Twig_Token) } class yii.twig.html.BaseCss_TokenParser extends Twig_TokenParser class yii.twig.html.CssClassNode { +getHelperMethod() +__construct(name : Twig_Token, value, operator : Twig_Token, lineno = 0, tag = null) } class yii.twig.html.CssClassNode extends yii.twig.html.BaseClassNode class yii.twig.html.CssClass_TokenParser { +getNodeClass() +getTag() } class yii.twig.html.CssClass_TokenParser extends yii.twig.html.BaseCss_TokenParser class yii.twig.html.CssStyle_TokenParser { +getNodeClass() +getTag() } class yii.twig.html.CssStyle_TokenParser extends yii.twig.html.BaseCss_TokenParser class yii.twig.html.HtmlHelperExtension { +getGlobals() +getTokenParsers() } class yii.twig.html.HtmlHelperExtension extends Twig_Extension class yii.twig.html.StyleClassNode { +getHelperMethod() +__construct(name : Twig_Token, value, operator : Twig_Token, lineno = 0, tag = null) } class yii.twig.html.StyleClassNode extends yii.twig.html.BaseClassNode @enduml
042edf2a44d1856989dbd2cb53cc97f1c7a96c51
cce29a57ba4a057a882f22a930a104546431ccc4
/ch4/simultaneous-locking/classdiagram_simultaneous-locking.puml
014bb2d2c916e2534f040c47ecde2fabf0f5c436
[]
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
1,534
puml
@startuml An example for simultaneous locking class SensorMaster{ optical_configrue(wheelSize:int, sensitivity:int):void optical_disable():void optical_enable():void optical_getSpeed():double doppler_configure(sampleRate:short):void doppler_disable():void doppler_enable():void gps_activate():void gps_configure(reqSatellites:short, useFast:int):void gps_deactivate():void gps_getPosition():Position } class PositionPredictor{ currentPosition:Position estPosition:Position timeIncrement:int computePosition():void getPosition():struct Position* } class SimMutex{ lock(): void release(): void } class SensorConfigurator{ setupSensors(): void } class BuiltInTester{ runAllTests(): int testOpticalSensor(): int testDopplerSensor(): int testGPS(): int } class OpticalSpeedSensor{ getSpeed(): double enable(): void disable(): void configure(wheelSize:int, sensitivity: int):void } class DopplerSpeedSensor{ getSpeed(): double enable(): void disable(): void configure(sampleRate:short):void } class GPSPositionSensor{ getSpeed(): double enable(): void disable(): void configure(reqSatellites:short, useFast:int):void } PositionPredictor --> SensorMaster SimMutex "1" <--* SensorMaster SensorMaster "1" *-right-> OpticalSpeedSensor SensorMaster "1" *--> DopplerSpeedSensor SensorMaster "1" *--> GPSPositionSensor SensorMaster "1" <-- BuiltInTester SensorMaster "1" <-- SensorConfigurator @enduml
3895e1bb64903199aa52d4d14f411313e4825e3f
a9addcf84f053c5f4d342d0a94dc5c46eac0b101
/retro/diagrammes/DiagrammeClasseDiscord.plantuml
f4325731d8af66070e394fd7568247cbcae625b1
[]
no_license
IUT-Blagnac/bcoo-retro2021-bcoo-retro2021-g16
28992fca9a1d225398ebd1cc7bd10ca5b8cb1060
45028e1bc96edbbb5af7d844caa430afa2cb0071
refs/heads/master
2023-06-07T22:05:39.653102
2021-06-21T14:11:26
2021-06-21T14:11:26
365,143,142
0
1
null
null
null
null
UTF-8
PlantUML
false
false
636
plantuml
@startuml class utilisateur { ID Pseudo Age PhotoDeProfil Statu ReseauSociaux adresseMail numTel } class serveur { ID PhotoDuServeur Nom NombreMembre Alchannel activerNotification() } class Role { isAdmin droits } class Channel { ID nom } class ChannelAudio{ nbPersonne activerMicro() activerSong() } class ChannelTextuel{ Message EnvoyerPhoto() EnvoyerVideo() EnvoyerGif() } utilisateur"1..*" -- "1..*" serveur serveur"1" -- "1..*" Role serveur "1 " -right- " 1..*" Channel : " " Channel "1" -- "1..*" ChannelTextuel Channel "1" -- "1..*" ChannelAudio @enduml
b0da35c41d9cba429bee3ce43cc2aab0f48cb66d
38f0425f2e78fb266a6c86a5729da95dd301a1ec
/Week 2/Restaurants UML.plantuml
c01d96b8d3a94beba71ab3a216c38beabcb37a28
[]
no_license
dawidchar/Whitehat-Bootcamp
c4b25ce7dc1e80c29a0930b9cdefdb84038fe925
43786a45779090a56f9021a5678fc428469350c0
refs/heads/main
2023-01-01T12:19:04.665619
2020-10-22T19:39:30
2020-10-22T19:39:30
301,738,592
0
0
null
null
null
null
UTF-8
PlantUML
false
false
693
plantuml
@startuml Restaurant left to right direction class Restaurant { id String name String image String menus Array<Menu> bookings Array <Booking> --- addMenu (<Menu>) DeleteMenu (<Menu>) addBooking (<Booking>) DeleteBooking (<Booking>) } class Menu { id String name String menu Array<Item> --- addItem (<Item>) DeleteItem (<Item>) } class Booking { id String restaurant String firstName String lastName String time TimeStamp date Date } class Item { id String title String price String description String image String } Restaurant --{ Menu Restaurant --{ Booking Menu --{ Item @enduml
12ba02e2a4040f19d6a3b92214a7e6dfb7ae91b0
4ac562b46e370b94830e6309683ea7148cff6716
/docs/classes.puml
dbadef0ead4cd5627adc4638d78066e4132d55df
[ "Apache-2.0" ]
permissive
calinDM/jmeter-java-dsl
97bd2c769a8f8bb83a8bfc59fcce278a046f7c75
179013e854c6d6efec8912d4615a21d2bde54eb7
refs/heads/master
2022-12-05T03:46:11.661933
2020-08-14T13:15:09
2020-08-14T13:15:09
null
0
0
null
null
null
null
UTF-8
PlantUML
false
false
2,187
puml
@startuml skinparam monochrome true hide empty members hide circle class JmeterDsl { DslTestPlan testPlan(TestPlanChild[] children) DslThreadGroup threadGroup(int threads, int iterations, ThreadGroupChild[] children) DslThreadGroup threadGroup(String name, int threads, int iterations, ThreadGroupChild[] children) DslHttpSampler httpSampler(String url) DslHttpSampler httpSampler(String name, String url) HttpHeaders httpHeaders() JtlWriter jtlWriter(String jtlFile) } package core { interface DslTestElement { HashTree buildTreeUnder(HashTree parent) } abstract class BaseTestElement implements DslTestElement { String name TestElement buildTestElement() } abstract class TestElementContainer extends BaseTestElement { } class DslTestPlan extends TestElementContainer { TestPlanStats run() } interface TestPlanChild extends DslTestElement { } class EmbeddedJmeterEngine { TestPlanStats run(DslTestPlan testPlan) } class DslThreadGroup extends TestElementContainer implements TestPlanChild { int threads int iterations } interface ThreadGroupChild extends DslTestElement { } abstract class DslSampler extends TestElementContainer implements ThreadGroupChild { } interface SamplerChild extends DslTestElement { } class JtlWriter extends BaseTestElement implements TestPlanChild, ThreadGroupChild, SamplerChild { String jtlFilePath } } package http { class DslHttpSampler extends DslSampler { String url HttpMethod method String body DslHttpSampler post(String body) DslHttpSampler method(HttpMethod method) DslHttpSampler body(String body) DslHttpSampler header(String name, String value) DslHttpSampler children(SamplerChild[] children) } class HttpHeaders extends BaseTestElement implements TestPlanChild, ThreadGroupChild, SamplerChild { HttpHeaders header(String name, String value) } } JmeterDsl -[hidden]- core TestElementContainer -up-> "*" DslTestElement DslTestPlan ..> TestPlanChild DslThreadGroup ..> ThreadGroupChild DslTestPlan ..> EmbeddedJmeterEngine DslSampler ..> SamplerChild DslHttpSampler --> HttpHeaders @enduml
ecdb8803c44c56a0074fd143ea621fbe5e2e903e
bdd433c3af2f10384f0a4fb06a6354b51a70750e
/plantuml/C4/includes/Controllers/ModeratorController.puml
de33dc1a6dff007287d364735c27e9236e22065d
[]
no_license
I4PRJ4/I4PRJ4-plantuml
d6188b60011e5a5f6f3cf7853393cba43996dfbf
2b528f0a911917d5ee61a6d0051d46ea59282c5a
refs/heads/master
2023-05-14T13:43:29.403199
2021-06-03T10:33:59
2021-06-03T10:33:59
348,710,373
0
0
null
null
null
null
UTF-8
PlantUML
false
false
351
puml
@startuml class ModeratorController { + ModeratorController(repository:ITipRepository) + <<async>> Index(sortOrder:string, page:int?) : Task<IActionResult> + <<async>> VerifyTip(id:int?) : Task<IActionResult> + <<async>> DenyTip(id:int) : Task<IActionResult> } TipRepository <-- ModeratorController Tip <-- ModeratorController @enduml
6e8be4e981ccde7beb11c1140edfdeef55eb9b81
761f51469594d7e88d79c71f02a91e498b590eec
/Notes & Diagrams/ClassDiagram Entire.puml
59d7ed7e044800aed653e40fcc431f49e5c0ce26
[]
no_license
YidongQIN/PyBMS_BrIM
0c0e075c57a0d6069e4ac9ceaf1373abe352492c
e47192283cb53172ec7827a3fd5061f8238d3ab3
refs/heads/master
2021-06-17T20:10:36.911893
2019-09-26T07:29:40
2019-09-26T07:29:40
112,799,581
0
0
null
null
null
null
UTF-8
PlantUML
false
false
2,064
puml
@startuml BrIM top to bottom direction scale 1200*600 skinparam backgroundColor transparent skinparam shadowing false skinparam DefaultFontName Consolas skinparam class { BackgroundColor White ArrowColor Black BorderColor Black } Interface MongoDB{ mongo_db export_mg() import_mg() ' - argument_check() } class PyELMT{ id type ' description* ' update() } class AbstractELMT{ name } class PhysicalELMT{ ' name material: Material } ' hide PhysicalELMT circle Interface OpenBrIM{ ' openbrim_element: XML element export_ob() import_ob() ' - argument_check() } Interface OpenBrIM_fem{ fem_elmt: XML } Interface OpenBrIM_geo{ geo_elmt: XML } PyELMT <|-- AbstractELMT PyELMT <|-- PhysicalELMT OpenBrIM_fem <|.. AbstractELMT OpenBrIM_fem <|.. PhysicalELMT OpenBrIM_geo <|.. PhysicalELMT OpenBrIM <|-- OpenBrIM_fem OpenBrIM <|-- OpenBrIM_geo MongoDB <|.. PyELMT ' class Project{} ' class Group ' class Parameter{ ' value: number ' } ' class Shape{ ' node_list[ ] ' } class FENode{ x y z fixity ' x: Parameter ' y: Parameter ' z: Parameter ' tx: Parameter ' ty: Parameter ' tz: Parameter ' rx: Parameter ' ry: Parameter ' rz: Parameter } class Material{ type ' property[ ]: Parameter property[ ] } class Section{ shape_node[ ] } ' AbstractELMT <|-- Project ' AbstractELMT <|-- Group ' AbstractELMT <|-- Parameter AbstractELMT <|-- FENode AbstractELMT <|-- Section AbstractELMT <|-- Material ' AbstractELMT <|-- Shape ' Shape -- Section class Beam{ fenode[2] section ' fenode1: FENode ' fenode2: FENode ' section: Section ' material: Material' } class Surface{ fenode[ ] thickness ' fenode[ ]: FENode ' thickness: Parameter } ' class Bolted_Plate class Volume{ fenode[ ] material } ' class Sensor PhysicalELMT <|-- Beam PhysicalELMT <|-- Surface ' Surface <|-- Bolted_Plate PhysicalELMT <|-- Volume ' PhysicalELMT <|-- Sensor FENode -- Beam @enduml
97bf3be50a9c95f30608e242b6bfdb9be71d7ca0
a1eb6871a4ccbc6135b331ae824db91ec7b71e4e
/build/volumediscount@0.11.0.puml
fdc53aa9739e4e3219c531e58230e3b45b9702d7
[ "Apache-2.0", "LicenseRef-scancode-unknown-license-reference", "CC-BY-4.0" ]
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
741
puml
@startuml class org.accordproject.volumediscount.VolumeDiscountContract << (A,green) >> { + Double firstVolume + Double secondVolume + Double firstRate + Double secondRate + Double thirdRate } org.accordproject.volumediscount.VolumeDiscountContract --|> org.accordproject.cicero.contract.AccordContract class org.accordproject.volumediscount.VolumeDiscountRequest << (T,yellow) >> { + Double netAnnualChargeVolume } org.accordproject.volumediscount.VolumeDiscountRequest --|> org.accordproject.base.Transaction class org.accordproject.volumediscount.VolumeDiscountResponse << (T,yellow) >> { + Double discountRate } org.accordproject.volumediscount.VolumeDiscountResponse --|> org.accordproject.base.Transaction @enduml
62249ad4160d8e1f6ff07dbf925dd7260b96a416
3fbd0b72051cc26f6437b9129ff431a854eeac09
/test6/src/class.puml
e2a9a975d861170c3c7c32a4c34ab72692c9e927
[]
no_license
lk357293221/is_analysis
b710554fec9b857945831b49c9e84cae614fd74c
ad664b29181c7bb2fc014a048e3e31ceb78f6ec7
refs/heads/master
2020-03-07T18:15:18.283079
2018-06-08T13:52:47
2018-06-08T13:52:47
127,632,189
0
1
null
null
null
null
GB18030
PlantUML
false
false
952
puml
@startuml title 基于GitHub的实验管理平台--类图 class users { <b>user_id</b> (用户ID) name (用户真实姓名) github_username (用户GitHub账号) update_date (用户GitHub账号修改日期) password (用户密码) disable (用户是否禁用) } class teachers{ <b>teacher_id</b> (老师工号) department (老师所属部门) } class students{ <b>student_id</b> (学号) class (班级) result_sum(成绩汇总) web_sum (网站正确与否汇总) } users <|- students users <|-- teachers class grades { <b>student_id</b> (学号) <b>test_id</b> (实验编号) result (分数) memo (评价) update_date (评改日期) } class tests { <b>test_id</b> (实验编号) title (实验名称) } students "1" -- "n" grades tests "1" -- "n" grades @enduml
74ecb55ef4f43aeed745cdfbebe1fd5973f2dad0
7fbdb3db8e966a7f78cad2d9e6798dfd8aedea01
/src/com/cjj/designpattern/behavioral/adapter/AdapterClassGraph2.puml
e6c462745b4bd34817a35ad0b997726eea9505b7
[]
no_license
vuquangtin/DesignPattern-1
3d1fc64e8412bf5ba3a10a38dde121c68ffc8b9a
47182c1c6e3f7e4126d33bdca53e055d9f0b3b5d
refs/heads/master
2021-10-09T20:10:01.009239
2019-01-03T01:33:51
2019-01-03T01:33:52
null
0
0
null
null
null
null
UTF-8
PlantUML
false
false
255
puml
@startuml class Main{ } class Print{ printWeak() printStrong() } class PrintBanner{ private banner printWeak() printStrong() } class Banner{ showWithParen() showWithAster() } Main -->Print:Uses > PrintBanner --|>Print Banner <-o PrintBanner @enduml
b8e82fe128158c7a94129ed10435122de47822e7
d97b774fd95a8e98e37c46ee1771f6e6e407a148
/uml/api/CustomObject.puml
7418ac0fb172985c39aea8d3124c330e39bcff93
[]
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
1,205
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 CustomObject [[CustomObject.svg]] extends BaseResource { id: String version: Long createdAt: DateTime lastModifiedAt: DateTime lastModifiedBy: [[LastModifiedBy.svg LastModifiedBy]] createdBy: [[CreatedBy.svg CreatedBy]] container: String key: String value: [[Object.svg Object]] } interface BaseResource [[BaseResource.svg]] { id: String version: Long createdAt: DateTime lastModifiedAt: DateTime } interface CustomObjectPagedQueryResponse [[CustomObjectPagedQueryResponse.svg]] { limit: Long offset: Long count: Long total: Long results: [[CustomObject.svg List<CustomObject>]] } interface CustomObjectReference [[CustomObjectReference.svg]] { typeId: [[ReferenceTypeId.svg ReferenceTypeId]] id: String obj: [[CustomObject.svg CustomObject]] } CustomObject --> CustomObjectPagedQueryResponse #green;text:green : "results" CustomObject --> CustomObjectReference #green;text:green : "obj" @enduml
f8fc05bac66fb14cede488d56bb5fb46d0912e45
a2b3fe1c874256a0d95fe275f7920509422ddf39
/doc/class-diagram.puml
ea747ec35fa4f54058dc9ad157ce0249b8a9571f
[ "MIT" ]
permissive
webfactory/content-mapping
12ef9bb39d77d6541c2c6afc718803a7d7b65df6
eb49593e519277f72b67e703390ce19261b7f1f8
refs/heads/master
2022-12-10T18:30:52.910469
2022-12-05T11:35:52
2022-12-05T11:35:52
39,960,077
6
1
MIT
2022-12-05T11:35:54
2015-07-30T16:16:33
PHP
UTF-8
PlantUML
false
false
1,083
puml
@startuml hide empty methods hide empty fields class Synchronizer { +synchronize($className, $force) } interface SourceAdapter { +getObjectsOrderedById() } interface Mapper { +map($sourceObject, $destinationObject) : MapResult +idOf($sourceObject):int +setForce($force) } interface DestinationAdapter { +getObjectsOrderedById($className) +createObject($id, $className) +delete($objectInDestinationSystem) +updated($objectInDestinationSystem) +commit() +idOf($objectInDestinationSystem):int } interface UpdateableObjectProviderInterface { +prepareUpdate($destinationObject):mixed } note bottom: By implementing this, DestinationAdapter\ncan use different objects for updates than\nthose returned from getObjectsOrderedById(). interface ProgressListenerInterface { +afterObjectProcessed() } note bottom: When DestinationAdapters implement this,\nafterObjectProcessed() will be called after\nevery step the Synchronizer made. Synchronizer --> SourceAdapter Synchronizer --> Mapper Synchronizer --> DestinationAdapter @enduml
526875650ba427902d1ca3c7a3899d364aefe379
d97b774fd95a8e98e37c46ee1771f6e6e407a148
/uml/api/OrderCustomFieldAddedMessage.puml
cdd14f7c3ce69e1411c6669323542d6dd91acdad
[]
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
1,202
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 OrderCustomFieldAddedMessage [[OrderCustomFieldAddedMessage.svg]] extends OrderMessage { id: String version: Long createdAt: DateTime lastModifiedAt: DateTime lastModifiedBy: [[LastModifiedBy.svg LastModifiedBy]] createdBy: [[CreatedBy.svg CreatedBy]] sequenceNumber: Long resource: [[Reference.svg Reference]] resourceVersion: Long type: String resourceUserProvidedIdentifiers: [[UserProvidedIdentifiers.svg UserProvidedIdentifiers]] name: String value: [[Object.svg Object]] } interface OrderMessage [[OrderMessage.svg]] { id: String version: Long createdAt: DateTime lastModifiedAt: DateTime lastModifiedBy: [[LastModifiedBy.svg LastModifiedBy]] createdBy: [[CreatedBy.svg CreatedBy]] sequenceNumber: Long resource: [[Reference.svg Reference]] resourceVersion: Long type: String resourceUserProvidedIdentifiers: [[UserProvidedIdentifiers.svg UserProvidedIdentifiers]] } @enduml
263bc31acc8aa284b1f77ef9c7858adac4637368
c1de1be7774236ee9688182292dcd3b5528d6305
/docs/diagrams/dkd-core-domain.puml
b194c9e8016d16011d498b0786bec9c1cfa09ce8
[]
no_license
stevenliebregt/avans-dp1-sirkwie
4fa61a93f9e341627a09c25aab3a719cd4592be8
03b3e785b57b31ff82a50dd0b2e42783dfdbc7a1
refs/heads/master
2022-10-08T12:33:26.339136
2020-06-13T18:10:47
2020-06-13T18:10:47
256,544,847
1
0
null
null
null
null
UTF-8
PlantUML
false
false
3,495
puml
@startuml package domain { abstract class Node { #value: boolean -name: String +Node(name: String) +getValue(): boolean +getName(): String +addToCircuit(circuit: Circuit) +addSimulationListener(simulationListener: ISimulationListener) #notifyStartCalculation() #notifyStopCalculation(calculatedValue: boolean) +{abstract}calculate(): boolean +{abstract}accept(nodeVisitor: INodeVisitor) } Node --> "0..*" ISimulationListener : -simulationListeners abstract class NodeComposite extends Node { #parents: List<Node> +NodeComposite(parents: List<Node>, name: String) +add(parent: Node) +remove(parent: Node) +getParents(): List<Node> +{abstract}calculate(): boolean } NodeComposite " " --> "1..*" Node : #parents interface INodeVisitor { +visit(node: Probe) +visit(node: Input) +visit(node: AndGate) +visit(node: NAndGate) +visit(node: NOrGate) +visit(node: OrGate) +visit(node: XOrGate) } class Circuit { +Circuit() +addNode(node: Node) +addInput(node: Input) +addProbe(node: Probe) +getNodes(): Set<Node> +getInputs(): Set<Input> +getInput(name: String) +getProbes(): Set<Probe> +getProbe(name: String) +simulate() +addSimulationListener(simulationListener: ISimulationListener) +addSimulationListeners(simulationListeners: Collection<ISimulationListener>) } Circuit " " --> "0..*" Node : -nodes Circuit " " --> "0..*" Input : -inputs Circuit " " --> "0..*" Probe : -probes Circuit --> "0..*" ISimulationListener : -simulationListeners class Input extends Node { +Input(value: boolean, name: String) +setValue(value: boolean) +calculate(): boolean +accept(nodeVisitor: INodeVisitor) +addToCircuit(circuit: Circuit) } class Probe extends NodeComposite { +Probe(name: String) +Probe(parents: List<Node>, name: String) +calculate(): boolean +accept(nodeVisitor: INodeVisitor) +addToCircuit(circuit: Circuit) } class AndGate extends NodeComposite { +AndGate(name: String) +AndGate(parents: List<Node>, name: String) +calculate(): boolean +accept(nodeVisitor: INodeVisitor) } class NAndGate extends NodeComposite { +NAndGate(name: String) +NAndGate(parents: List<Node>, name: String) +calculate(): boolean +accept(nodeVisitor: INodeVisitor) } class NOrGate extends NodeComposite { +NOrGate(name: String) +NOrGate(parents: List<Node>, name: String) +calculate(): boolean +accept(nodeVisitor: INodeVisitor) } class NotGate extends NodeComposite { +NotGate(name: String) +NotGate(parents: List<Node>, name: String) +calculate(): boolean +accept(nodeVisitor: INodeVisitor) } class OrGate extends NodeComposite { +OrGate(name: String) +OrGate(parents: List<Node>, name: String) +calculate(): boolean +accept(nodeVisitor: INodeVisitor) } class XOrGate extends NodeComposite { +XOrGate(name: String) +XOrGate(parents: List<Node>, name: String) +calculate(): boolean +accept(nodeVisitor: INodeVisitor) } } @enduml
0a1c8fbcefe84e175e3be381a17dedcde2d079b6
74c3831e757fa9e871a6b8f19fdcadda26a3d5fb
/src/main/java/com/philips/research/bombar/core/domain.puml
f94b8ecb1590da7a9b0f00b977abeaf5a41739df
[ "MIT", "LicenseRef-scancode-unknown-license-reference" ]
permissive
timovandeput/bom-bar
49d4e2b2d64b974b5226e2080a65b48d3c6309cf
88057e8364375b17857074949c9901a33e2837cd
refs/heads/main
2023-06-26T01:05:09.090611
2021-06-02T05:42:46
2021-06-02T05:42:46
null
0
0
null
null
null
null
UTF-8
PlantUML
false
false
496
puml
@startuml class Package { purl:URI name:string description:string allowance:{allowed,denied} } class Dependency { key:string title:string version:string license:string exemption:string } Dependency "*" -u-> "0..1" Package: package Dependency -> "*" Dependency: relations\n<type> class Project { title:string distribution:enum } Project *-> "*" Dependency: dependencies class Violation { message:string } Violation "*" -u-> Dependency @enduml
1ace231aabba61341e35fc822d7ed932335f7756
9bcd4da5e5454922139d0afefc782a997988ad1f
/docs/SprintA/US/US6_MD.puml
88f5d4f6fc9b370702f9112cb1a3a5d7baaf4a39
[ "MIT" ]
permissive
wjacoud/DynaByte
13f042b210f17830aa3eb31558d3f83d587ab436
3ac6b5e2d2e7559ec3e230db7848a1b43d3b40e3
refs/heads/main
2023-08-27T09:20:01.825322
2021-11-11T17:15:05
2021-11-11T17:15:05
427,082,047
0
0
null
null
null
null
UTF-8
PlantUML
false
false
4,006
puml
@startuml hide methods top to bottom direction skinparam classAttributeIconSize 0 class Company { chemicalLab } class ChemicalLab { name address phoneNumber tin } class ClinicalAnalysisLaboratory { idLaboratory name address phoneNumber tin } class CovidReport { numberTestsPerformed numberPositiveResults numberPositiveDay numberPositiveWeek numberPositiveMonth } class SampleIdentification { idClient idTest barcode } class Sample{ idSample sampleCollectionMethod collectionDate } class Test{ idTest nhsCode clientCitizenCardNumber creationDate } class TypeTest{ idTest type } class SampleAnalysis { idEmployee idTest idResult } class TestResults { idResult chemicalAnalysisDate diagnosisDate testResults } class Diagnosis{ idEmployee idDiagnosis idResult Diagnosis } class TestValidation { idEmployee idTestValidation idDiagnosis validateStatus validatedDate } class Client { citizenCardNumber nationalHealthcareService birthDate tif phoneNumber email name } class Administrator{ idEmployee organizationRole name adress email phoneNumber soc } class Receptionist { idEmployee organizationRole name adress email phoneNumber soc } class MedicalLabTechnicians{ idEmployee organizationRole name adress email phoneNumber soc } class ChemistryTechnologist{ idEmployee idLaboratory organizationRole name adress email phoneNumber soc } class SpecialistDoctor{ idEmployee idLaboratory doctorIndexNumber organizationRole name adress email phoneNumber soc } class LaboratoryCoordinator{ idEmployee idLaboratory organizationRole name address email phoneNumber soc } class Parameters{ idParameters description } class Category{ idCategory description nhsID } class Test_Parameters{ idTest idParameters } class Parameters_Category{ idParameters idCategory } class Notification{ type message } class ReportNHS{ information } class NHSAPI{ } class BarcodeAPI{ } class AutomaticValidation{ } Company "1" -- "1" ChemicalLab : owns > Company "1" -- "*" ClinicalAnalysisLaboratory : owns > Client "*" -- "1" Receptionist : registered by > Client "1" -- "*" Test : asks for > Test "*" -- "1" Receptionist : registered by > Test "*" -- "1" Test_Parameters : request analysis for > Test_Parameters "1" -- "*" Parameters : request analysis for > Parameters "*" -- "1" Parameters_Category : presented under > Parameters_Category "1" -- "*" Category : presented under > Category "1" -- "*" Administrator : created by > Client "1" -- "1" MedicalLabTechnicians : is called by > MedicalLabTechnicians "1" -- "1" Sample : collect > Sample "1" -- "1" SampleIdentification : identifies sample > ClinicalAnalysisLaboratory "1" -- "*" MedicalLabTechnicians : employs > SampleIdentification "1" -- "1" ChemicalLab : sends sample to > Company "1" -- "*" CovidReport : reports covid cases > ChemicalLab "1" -- "*" ChemistryTechnologist : gives sample > ChemicalLab "1" -- "*" SpecialistDoctor : gives results > SpecialistDoctor "1" -- "1" Diagnosis : create diagnosis > ChemistryTechnologist "1" -- "1" SampleAnalysis : analysis sample > SampleAnalysis "1" -- "1" TestResults : sends analysis > ChemicalLab "1" -- "*" LaboratoryCoordinator : gives results and diagnosis > LaboratoryCoordinator "1" -- "1" TestValidation : does > TestValidation "1" -- "1" Notification : create > Notification "1" -- "1" Client : is received by > Company "1" -- "*" ReportNHS : reports > NHSAPI "1" -- "*" ReportNHS : is used to > BarcodeAPI "1" -- "*" SampleIdentification : is used to > AutomaticValidation "1" -- "*" TestValidation : is used to > Test "*" -- "1" TypeTest : is of > @enduml
c9a6ae65383b2949229d3ceea1e8356865a9eccc
adf7d7054fa8dc3a7231e21c019a486b06ce0765
/DesignPatternsElementsOfReusableObjectOrientesSoftware/Chapter03/FactoryMethod/FactoryMethod.puml
d483c48befa31822f93b73e0efeea52b94e7508d
[]
no_license
lealceldeiro/gems
ee93f9d4e4a6265b6f78ae06353116b51bcf168f
3d7529678067eeb4437f0b00be96adf80362f9e5
refs/heads/master
2023-08-22T09:52:13.176466
2023-08-15T12:49:36
2023-08-15T12:49:36
230,064,871
8
6
null
null
null
null
UTF-8
PlantUML
false
false
1,544
puml
@startuml class SpacePoint { - double latitude - double longitude - double altitude + SpacePoint(double latitude, double longitude) + SpacePoint(double latitude, double longitude, double altitude) + double getLatitude() + double getLongitude() + double getAltitude() } abstract class Vehicle { - double xPosition - double yPosition + {abstract} void move(SpacePoint spacePoint) } Vehicle .. SpacePoint : uses class Jeep extends Vehicle { - long tiresArmor + void move(SpacePoint spacePoint) - boolean busted() } Jeep .. SpacePoint : uses class Plane extends Vehicle { - long bodyArmor - double altitude + void move(SpacePoint spacePoint) - boolean crashed() } Plane .. SpacePoint : uses class Ship extends Vehicle { - long coreArmor + void move(SpacePoint spacePoint) - boolean sunk() } Ship .. SpacePoint : uses class VehicleCreator { + Vehicle createVehicle() } VehicleCreator o-- Jeep : creates note right of VehicleCreator : The factory method <i>createVehicle</i> creates\nby default <i>Jeep</i> objects class PlaneCreator extends VehicleCreator { + Vehicle createVehicle() } PlaneCreator o-- Plane : creates note top of PlaneCreator : The factory method <i>createVehicle</i>\ncreates <i>Plane</i> objects class ShipCreator extends VehicleCreator { + Vehicle createVehicle() } ShipCreator o-- Ship : creates note top of ShipCreator : The factory method <i>createVehicle</i>\ncreates <i>Ship</i> objects hide empty members @enduml
fb7aa1ee64377d27e3bb0752a5fd6ab9bd690666
c69cde70e521b492553f98790ce7fbddb47e77b2
/docs/uml/package.components.puml
4feecd0dc736451205562ef28dd2e71935291cbb
[]
no_license
if-h4102/pld-agile
177d6f0e84167a090385a323d987a5c44224ca47
297e967cd829e8ac30e22025a2a125853da247ae
refs/heads/master
2021-01-12T12:42:34.861487
2016-11-10T17:09:54
2016-11-10T17:09:54
69,647,994
1
0
null
2016-10-10T23:13:45
2016-09-30T08:17:06
Java
UTF-8
PlantUML
false
false
5,405
puml
@startuml package javafx.scene { package canvas { class Canvas } package control { class ListView<T> } package layout { class AnchorPane class BorderPane } } package "components" { package "application" { class MainController extends BorderPane { -cityMap: SimpleObjectProperty<CityMap> -deliveryRequest: SimpleObjectProperty<DeliveryRequest> -planning: SimpleObjectProperty<Planning> -state: SimpleObjectProperty<MainControllerState> +cityMapProperty(): SimpleObjectProperty<CityMap> +getCityMap(): CityMap +setCityMap(cityMap: CityMap) +deliveryRequestProperty(): SimpleObjectProperty<DeliveryRequest> +getDeliveryRequest(): DeliveryRequest +setDeliveryRequest(deliveryRequest: DeliveryRequest) +planningProperty(): SimpleObjectProperty<Planning> +getPlanning(): Planning +setPlanning(planning: Planning) +stateProperty(): SimpleObjectProperty<MainControllerState> +getState(): MainControllerState -setState(nextState: MainControllerState): void -applyState(nextState: MainControllerState): void +onOpenCityMapButtonAction(event: ActionEvent): void +onOpenDeliveryRequestButtonAction(event: ActionEvent): void +onComputePlanningButtonAction(event: ActionEvent): void } note right of MainController View: - main.fxml - main.css end note abstract MainControllerState { +enterState(contoller: MainController): void +leaveState(contoller: MainController): void +onOpenCityMapButtonAction(contoller: MainController): MainControllerState +onOpenDeliveryRequestButtonAction(controller: MainController): MainControllerState +onComputePlanningButtonAction(controller: MainController): MainControllerState } class WaitOpenCityMapState extends MainControllerState { +enterState(contoller: MainController): void +leaveState(contoller: MainController): void +onOpenCityMapButtonAction(contoller: MainController): MainControllerState } class WaitOpenDeliveryRequestState extends WaitOpenCityMapState { +enterState(contoller: MainController): void +leaveState(contoller: MainController): void +onOpenDeliveryRequestButtonAction(controller: MainController): MainControllerState } class ReadyState extends WaitOpenDeliveryRequestState { +enterState(contoller: MainController): void +leaveState(contoller: MainController): void +onComputePlanningButtonAction(controller: MainController): MainControllerState } class ComputingPlanningState extends WaitOpenDeliveryRequestState { +enterState(contoller: MainController): void +leaveState(contoller: MainController): void } MainController --> MainControllerState } package "mapcanvas" { class MapCanvasController extends Canvas { -cityMap: SimpleObjectProperty<CityMap> -deliveryRequest: SimpleObjectProperty<DeliveryRequest> -planning: SimpleObjectProperty<Planning> -zoom: SimpleDoubleProperty -offsetX: SimpleDoubleProperty -offsetY: SimpleDoubleProperty +cityMapProperty(): SimpleObjectProperty<CityMap> +getCityMap(): CityMap +setCityMap(cityMap: CityMap) +deliveryRequestProperty(): SimpleObjectProperty<DeliveryRequest> +getDeliveryRequest(): DeliveryRequest +setDeliveryRequest(deliveryRequest: DeliveryRequest) +planningProperty(): SimpleObjectProperty<Planning> +getPlanning(): Planning +setPlanning(planning: Planning) +zoomProperty(): SimpleDoubleProperty +getZoom(): double +setZoom(zoom: double) +offsetXProperty(): SimpleDoubleProperty +getOffsetX(): double +setOffsetX(offsetX: double) +offsetYProperty(): SimpleDoubleProperty +getOffsetY(): double +setOffsetY(offsetY: double) -draw(): void -clear(): void -updateTransform(): void -drawCityMap(): void -drawDeliveryRequest(): void -drawPlanning(): void +isResizable(): boolean +prefWidth(parentWidth: double): double +prefHeight(parentHeight: double): double } } package "planningdetails" { PlanningDetails --|> ListView: <<bind>> T::Route class PlanningDetails { } class PlanningDetailsItem extends AnchorPane { -route: SimpleObjectProperty<Route> +routeProperty(): SimpleObjectProperty<Route> +getRoute(): CityMap +setRoute(route: Route) } note right of PlanningDetailsItem View: - PlanningDetailsItem.fxml end note PlanningDetails ..> PlanningDetailsItem } javafx.scene -[hidden]- components PlanningDetails -[hidden]right- PlanningDetailsItem } @enduml
e1ce78330b906e61f6a15bcb05ebc8268c3bbb77
a234d20e1e5ef85ff94394186c3a03d3b81c4b23
/docs/diagrams/CommandLogicManager.puml
70d6940ee0e8e2d8cd2faa4b88425a5946095989
[ "LicenseRef-scancode-other-permissive", "MIT" ]
permissive
alxkohh/Duke-Academy
1bd014d02e87481e9c082b54509ceb0627a7a85e
1309d2afc19cdb3bc8ac017181edfc4c43914027
refs/heads/master
2022-04-01T13:42:35.416005
2019-11-14T18:07:46
2019-11-14T18:07:46
null
0
0
null
null
null
null
UTF-8
PlantUML
false
false
490
puml
@startuml class CommandLogicManager interface CommandSupplier { + Command : getCommand(commandText) } class CommandParser { + void : registerCommand(commandWord, supplier) + Command : parseCommandText(commandText) } interface CommandFactory { + String : getCommandWord() + Command : getCommand(arguments) } CommandLogicManager-|> CommandSupplier CommandLogicManager*--"1" CommandParser CommandSupplier <|- CommandParser CommandLogicManager -|> CommandFactory @enduml
c14d8e59734d0cea5413df87b915f888f87bb835
084fcc4a31b60fe11f3f647f7d49a3c1c6621b44
/kapitler/media/uml-codelist-merknadstype.puml
828e239372fd78a90b92dcaedec73d191fa2fc3c
[]
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
194
puml
@startuml skinparam nodesep 100 hide circle class Kodelister.Merknadstype <<codelist>> { +Merknad fra saksbehandler = MS +Merknad fra leder = ML +Merknad fra arkivansvarlig = MA } @enduml
58fcab2b3d747328c27896f599103b3e34526777
85f27baad951e15261ec3fa6907cf56b1e88d797
/model/classDiagram.plantuml
eb95d85189407437129e3b957ce8815b805c933c
[]
no_license
kamer-zz/fe201
184e037328459d78646ab32793a2ad0c2716a6f5
d1804e99a57c732c6c2e7d7beb4399247805186e
refs/heads/master
2021-05-26T12:32:59.170293
2011-07-22T14:05:59
2011-07-22T14:05:59
null
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,832
plantuml
@startuml title Twitter class User { + id : Number + username : string + password : string } class Tweet { + id : Number + userId : Number + body : string + time : Number } class UserModel { + createUser(username : string, password: string, email : string) : User + removeUser(userId : Number) + login(username : string, password : string) + logout() + getUserById(userId : Number) + getUserByUsername(username : string) } class Session { + userId : Number } class FollowManager { + createFollow(follower : User, following : User) + getFollowingByUserId(userId : Number) : User[] + getFollowersByUserId(userId : Number) : User[] } class Profile { + id : Number + userId : Number + bio : string + photoUrl : string + location : string } class ProfileModel { + createProfile(bio : string, photoUrl : string, location : string) + getProfileByUserId(userId : Number) : Profile + editProfileByUserId(userId : Number, newProfile : Profile) } class TweetModel { + postTweet(user : User, body : string) + removeTweet(tweetId : Number) + getTweetsByUserId(userId : Number) : Tweet[] } class DirectMessage { + id : Number + fromId : Number + toId : Number + body : string } class DirectMessageModel { + sendDirectMessage(from : User, to : User, body : string) + getInboxByUserId(userId : Number) : DirectMessage[] + getSentByUserId(userId : Number) : DirectMessage[] } class Follow { + id : Number + followerId : Number + followingId : Number } UserModel o-- User UserModel o-- Session DirectMessageModel o-- DirectMessage ProfileModel o-- Profile TweetModel o-- Tweet FollowManager o-- Follow User .. Session User .. Tweet User .. Profile User .. DirectMessage Follow .. User FollowManager .. User @enduml
330034960def0276314e1a586945c54c70373aba
6f19b616067cdf376f88ea86db3c1ac81f985ba2
/Diagrams/IConfigurable.puml
96006d6dfa739afe31b2dae292ca0e740391f137
[]
no_license
eidng8/Space-Flight-Unity
15b32e501b5a22d942b6bce4fb01a929560b7715
ecee704f22482da949db840be3fe0d716b6e9c32
refs/heads/master
2020-12-01T06:00:44.194910
2020-01-14T13:05:20
2020-01-14T13:05:20
230,571,426
1
0
null
null
null
null
UTF-8
PlantUML
false
false
286
puml
@startuml interface IConfigurable { Dict() : Dictionary<string, float> Aggregate(IEnumerable<Dictionary<string, float>>) : Dictionary<string, float> } abstract class Configurable { + id : string + description : string } Configurable -up-|> IConfigurable @enduml
11d492e6d6af72a138be98b1541594078149fcf9
fecd2a29e17dd3228c7b5cabab02dced839ea80a
/example/example-details.plantuml
7080feba6526004bd52f1012795df0d4ea3eb229
[ "MIT" ]
permissive
armand-janssen/openapi-transformer
fa35fc8832be6bc5c2079a51e89fd68bfe77904d
462e125269128b5b483a206fb47e46d73c3ce355
refs/heads/master
2023-04-28T12:04:12.873218
2022-11-17T21:04:37
2022-11-17T21:04:37
185,963,179
18
11
MIT
2023-03-06T18:49:38
2019-05-10T09:48:39
JavaScript
UTF-8
PlantUML
false
false
949
plantuml
@startuml class vehicle { type * : enum <[land, air, water]> owner * : array <[minItems:1]> registration * : registration } vehicle *-- owner : owner vehicle -- registration : registration class landVehicle { wheels * : integer <[minimum:2][maximum:4][multipleOf:2]> } vehicle <|-- landVehicle class waterVehicle { propeller * : integer <[minimum:1][maximum:4]> } vehicle <|-- waterVehicle class airVehicle { name : string <[maxLength:20]> engines * : integer <[minimum:1][maximum:6]> typeOfEngine * : enum <[turbojet, turboprop, turbofan, turboshaft]> } vehicle <|-- airVehicle class owner { name * : string <[maxLength:30]> from * : date <[pattern: YYYY-mm-dd> to : date <[pattern: YYYY-mm-dd> } class registration { code * : string <[maxLength:12]> firstRegistration * : date <[pattern: YYYY-mm-dd> registrationEnd : date <[pattern: YYYY-mm-dd> country * : enum <[NL, BE, DE, FR, SP]> } @enduml
e1e0e9890dcb803674d355310e9cc98187e34e1e
7c5beb36fa4cf097370918d92c62008bdc7d0aaf
/diagrams/puml/ts_interaction.puml
5e421fa601f0e247f288f3c0a7c0b424fb22456e
[]
no_license
eniqen/template.system
b2eca43e034dd7215a759052ca816cffe037ea7b
611cc2f5c5914292229d7d030f1ead1e33393e12
refs/heads/master
2021-01-09T06:35:19.826774
2017-03-05T20:46:23
2017-03-05T20:46:23
81,011,048
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,148
puml
@startuml package org.bitbucket.eniqen.api { class TemplateControler { } class DocumentController { } } package org.bitbucket.eniqen.service { interface TemplateService { +create() +update() +getAll(Pageble, Sortable): Collection<Template> +get(String id): Field +activate(String id): boolean +deactivate(String id): boolean +delete(String id): boolean } interface DocumentService { +create() +update() +getAll(Pageble, Sortable): Collection<Document> +get(String id): Field +activate(String id): boolean +deactivate(String id): boolean +delete(String id): boolean } } package org.bitbucket.eniqen.repository { interface FieldRepository { } interface TemplateRepository { } interface DocumentRepository { } } TemplateControler --> TemplateService DocumentController --> DocumentService TemplateService --> TemplateRepository TemplateService --> FieldRepository DocumentService --> DocumentRepository DocumentService --> TemplateRepository @enduml
6e9572904bcd79ab51186fbec30c1dc2593f9750
df151ab0be7c27fd0cf1ab85ccc841493f3d369c
/app/app.plantuml
e2a5c4ca01083b043cbbf846b410100153cd0bed
[]
no_license
ncdanh19/QuanLyChiTieu
1b6d72d5c320ae05f7133b8903d9d00b26051408
a63213af69e0c108090d16008b3cf5351b52ffb6
refs/heads/master
2020-05-16T11:49:42.141615
2019-06-11T02:08:24
2019-06-11T02:08:24
182,412,608
0
0
null
null
null
null
UTF-8
PlantUML
false
false
9,344
plantuml
@startuml title __APP's Class Diagram__\n package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.adapter { class AlertDialogAdapter { } } } package com.sinhvien.quanlychitieu { class BuildConfig { } } package com.sinhvien.quanlychitieu { class BuildConfig { } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.fragment { class ChiTienFragment { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.adapter { class ChuyenImage { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.activity { class CustomTaiKhoan { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.activity { class CustomThuChi { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.fragment { class DatePickerFragment { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.Database { class HanMuc { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.adapter { class HanMucAdapter { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.activity { class HanMucChiActivity { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.Database { class HanMucHelper { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.Database { class HangMuc { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.activity { class HangMucActivity { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.activity { class HangMucChiActivity { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.fragment { class HangMucChiFragment { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.fragment { class HangMucThuFragment { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.adapter { interface ItemClickListener { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.Database { class LoaiTaiKhoan { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.activity { class LoaiTaiKhoanActivity { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.adapter { class LoaiTaiKhoanViewAdapter { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.adapter { class MyHangMucChiRecyclerViewAdapter { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.adapter { class MyHangMucThuRecyclerViewAdapter { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.adapter { interface OnPagerItemSelected { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.Database { class TaiKhoan { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.activity { class TaiKhoanActivity { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.adapter { class TaiKhoanAdapter { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.Database { class TaiKhoanHelper { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.activity { class TaoHanMucActivity { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.activity { class TaoTaiKhoanActivity { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.activity { class ThongKeActivity { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.adapter { class ThongKeAdapter { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.fragment { class ThongKeChiFragment { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.fragment { class ThongKeThuFragment { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.Database { class ThuChi { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.activity { class ThuChiActivity { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.Database { class ThuChiHelper { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.fragment { class ThuTienFragment { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.fragment { class TimePickerFragment { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.activity { class TongQuanActivity { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.adapter { class TongQuanAdapter { } } } package com.sinhvien.quanlychitieu { package com.sinhvien.quanlychitieu.adapter { class ViewPagerAdapter { } } } AlertDialogAdapter -up-|> Adapter AlertDialogAdapter o-- OnPagerItemSelected : listener ChiTienFragment -up-|> Fragment ChiTienFragment o-- ChuyenImage : chuyendoi ChiTienFragment o-- TaiKhoanHelper : database ChiTienFragment o-- AlertDialogAdapter : adapter CustomTaiKhoan -up-|> AppCompatActivity CustomTaiKhoan o-- TaiKhoanHelper : tk_database CustomTaiKhoan o-- ThuChiHelper : tc_database CustomTaiKhoan o-- ChuyenImage : chuyendoi CustomThuChi -up-|> AppCompatActivity CustomThuChi o-- ThuChiHelper : tc_database CustomThuChi o-- TaiKhoanHelper : tk_database CustomThuChi o-- AlertDialogAdapter : adapter DatePickerFragment -up-|> OnDateSetListener DatePickerFragment -up-|> DialogFragment HanMucAdapter -up-|> Adapter HanMucChiActivity -up-|> AppCompatActivity HanMucChiActivity o-- HanMucHelper : hm_database HanMucChiActivity o-- HanMucAdapter : adapter HanMucHelper -up-|> SQLiteOpenHelper HangMucActivity -up-|> AppCompatActivity HangMucActivity o-- ViewPagerAdapter : adapter HangMucChiActivity -up-|> AppCompatActivity HangMucChiFragment -up-|> Fragment HangMucThuFragment -up-|> Fragment LoaiTaiKhoan -up-|> Serializable LoaiTaiKhoanActivity -up-|> AppCompatActivity LoaiTaiKhoanViewAdapter -up-|> Adapter LoaiTaiKhoanViewAdapter o-- OnPagerItemSelected : listener MyHangMucChiRecyclerViewAdapter -up-|> Adapter MyHangMucChiRecyclerViewAdapter o-- OnPagerItemSelected : listener MyHangMucThuRecyclerViewAdapter -up-|> Adapter MyHangMucThuRecyclerViewAdapter o-- OnPagerItemSelected : listener TaiKhoanActivity -up-|> AppCompatActivity TaiKhoanActivity o-- TaiKhoanAdapter : adapter TaiKhoanActivity o-- TaiKhoanHelper : database TaiKhoanAdapter -up-|> Adapter TaiKhoanAdapter o-- OnPagerItemSelected : listener TaiKhoanAdapter o-- TaiKhoanHelper : tk_database TaiKhoanAdapter o-- ThuChiHelper : tc_database TaiKhoanAdapter o-- TaiKhoanAdapter : adapter TaiKhoanHelper -up-|> SQLiteOpenHelper TaoHanMucActivity -up-|> AppCompatActivity TaoHanMucActivity o-- TaiKhoanHelper : tk_database TaoHanMucActivity o-- AlertDialogAdapter : adapter TaoTaiKhoanActivity -up-|> AppCompatActivity ThongKeActivity -up-|> AppCompatActivity ThongKeAdapter -up-|> Adapter ThongKeChiFragment -up-|> OnChartValueSelectedListener ThongKeChiFragment -up-|> Fragment ThongKeChiFragment o-- ThuChiHelper : tc_database ThongKeChiFragment o-- ThongKeAdapter : adapter ThongKeThuFragment -up-|> OnChartValueSelectedListener ThongKeThuFragment -up-|> Fragment ThongKeThuFragment o-- ThuChiHelper : tc_database ThuChiActivity -up-|> AppCompatActivity ThuChiHelper -up-|> SQLiteOpenHelper ThuTienFragment -up-|> Fragment ThuTienFragment o-- ChuyenImage : chuyendoi ThuTienFragment o-- TaiKhoanHelper : database ThuTienFragment o-- AlertDialogAdapter : adapter TimePickerFragment -up-|> OnTimeSetListener TimePickerFragment -up-|> DialogFragment TongQuanActivity -up-|> AppCompatActivity TongQuanActivity o-- TongQuanAdapter : adapter TongQuanActivity o-- ThuChiHelper : tc_database TongQuanActivity o-- TaiKhoanHelper : tk_database TongQuanActivity o-- HanMucHelper : hm_database TongQuanAdapter -up-|> Adapter ViewPagerAdapter -up-|> FragmentPagerAdapter 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
b205d6594c9420e89dddbfbc719bf15991862b1d
3356f08bf73cc5950d70d4259c9b288166cc33c4
/documentation/class_diagrams/pattert_test.puml
65de1821f1333d96cf76af52b544dcb7119a42cc
[ "MIT" ]
permissive
ignacio-gallego/tbcnn_skill_pill
08007fadd1ffcbd372c7d099a0abf6d8ff29806c
66c3939e2944160c864b61495ac4c7aaa56acd18
refs/heads/main
2023-06-11T00:42:10.182861
2021-06-30T09:35:28
2021-06-30T09:35:28
381,647,978
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,724
puml
@startuml Pattern_test-model abstract class PatternTest { + patternDetection(string): void - {abstract} secondNeuralNetwork(Tuple[Tensor, Tensor, Tensor, Tensor]): float - predictions(List[String]): Tensor - printPredictions(List[String], Tensor, List[String]): void } ' Layers class CodingLayer extends AbstractLayer{ + codingLayer(nodes: List[Node], wR: Tensor, wL: Tensor, b: Tensor): List[Node] - codingIterations(): void } class ConvolutionalLayer extends AbstractLayer{ + convolutionalLayer(nodes: List[Node]): List[Node] - calculateY(nodes: List[Node]): void - slidingWindowTensor(Node): Tensor } class PoolingLayer extends AbstractLayer{ + poolingLayer(nodes: List[Node]): Tensor } class HiddenLayer extends AbstractLayer{ + hiddenLayer(Tensor): Float } abstract class AbstractLayer { } 'Test class GeneratorTest extends PatternTest { - conv: ConvolutionalLayer - pooling: PoolingLayer - hidden: HiddenLayer - secondNeuralNetwork(Tuple[Tensor, Tensor, Tensor, Tensor]): float - loadMatricesAndVectors(CSVFiles): void } class WrapperTest extends PatternTest { - cod: CodingLayer - conv: ConvolutionalLayer - pooling: PoolingLayer - hidden: HiddenLayer - secondNeuralNetwork(Tuple[Tensor, Tensor, Tensor, Tensor]): float - loadMatricesAndVectors(CSVFiles): void } class Utils{ + accuracy(predicts: Tensor, targets: Tensor): Float + confMatrix(predicts: Tensor, targets: Tensor): Matrix } PatternTest "one" .left.> "one" Utils : uses GeneratorTest "one"..> "one" AbstractLayer: uses WrapperTest "one"..> "one" AbstractLayer: uses @enduml
e0591d731f0c9a9a70cfe487dd055250fc086690
f0c131e60525fcdf0e89c587a1a1639e1836b1e9
/structural/src/main/java/ddd.puml
a866807737fe0b636ea184e777ec1e7a8e0d53db
[ "Apache-2.0" ]
permissive
ZhuaWaMove/design.patterns
2668071b48550109cbba5561e332b4652e68cbc5
74649fc1b2353e951225b4590fea0a0a726efde8
refs/heads/master
2023-03-16T12:19:28.799406
2021-03-16T15:51:18
2021-03-16T15:51:18
269,910,124
0
2
null
null
null
null
UTF-8
PlantUML
false
false
1,034
puml
@startuml 'https://plantuml.com/class-diagram interface DimensionalAnalysis{ {abstract} instCodeAnalysis(Map map) {abstract} dimensionAnalysis(Map map) {abstract} targetAnalysis(Map map) } abstract AbstractDimensionalAnalysis implements DimensionalAnalysis class InstitutionDimensionalAnalysis extends AbstractDimensionalAnalysis class BankDimensionalAnalysis extends AbstractDimensionalAnalysis class PlatformInstitutionDimensionalAnalysis extends AbstractDimensionalAnalysis 'AbstractDimensionalAnalysis *--right--> DimensionalAnalysis abstract AbstractFactory class InstitutionDimensionalAnalysisFactory extends AbstractFactory class BankDimensionalAnalysisFactory extends AbstractFactory class PlatformInstitutionDimensionalAnalysisFactory extends AbstractFactory InstitutionDimensionalAnalysisFactory *--down--> InstitutionDimensionalAnalysis BankDimensionalAnalysisFactory *--down--> BankDimensionalAnalysis PlatformInstitutionDimensionalAnalysisFactory *--down--> PlatformInstitutionDimensionalAnalysis @enduml
99d2c9bbd97998c5c7c5c3396f8c106495ba95f4
ae8d603e1a8a158e234db029994362498bd676cf
/Dossier de conception/V2/DiagrammeDeClasse.puml
27f02300835a3dffa09f09d3fcbc23d58525f770
[]
no_license
LeaMercier/Creation-of-a-mini-editor
91a29f663c0ba822ec6b23aaaf84ae2058738715
eee5fcd95a05ea43a43929a2c1d1169b8968eaa4
refs/heads/master
2023-04-08T11:16:27.934645
2021-04-17T11:13:04
2021-04-17T11:13:04
358,853,598
0
0
null
null
null
null
UTF-8
PlantUML
false
false
2,698
puml
@startuml mediatheque 'Partie pour l'interface graphique, front-end' Interface ActionListener{ } class JButon{ } abstract class Bouton{ actionPerformed() getPreferredSize() addActionListener() effectuModif() } class BoutonAnnulationDuRetourArrière { actionPerformed() getPreferredSize() } class BoutonRetourArrière{ actionPerformed() getPreferredSize() } class BoutonColler { } class BoutonCopier { } class BoutonCouper { } class ComponentTexte{ getPreferredSize() updateSelection() updateBuffer() mouseDagged() mouseMoved() textValueChanged() update() } class MainActivity{ double XGLOBAL double YGLOBAL main() } class Window{ double x double y init() } ActionListener <|-- Bouton JButon <|-- Bouton ActionListener <|-- BoutonRetourArrière JButon <|-- BoutonRetourArrière ActionListener <|-- BoutonAnnulationDuRetourArrière JButon <|-- BoutonAnnulationDuRetourArrière Bouton <|-- BoutonColler Bouton <|-- BoutonCopier Bouton <|-- BoutonCouper MainActivity *-- Window: "0..1" Window *-- BoutonColler: "0..1" Window *-- ComponentTexte: "0..1" Window *-- BoutonCopier: "0..1" Window *-- BoutonCouper: "0..1" 'Partie pour la gestion interne du programme, back-end' Interface ModifieTexte { undo() redo() } abstract class ExpaceMemoire{ String contenu get() affecte() } class Buffer{ } class PressePapier{ } ExpaceMemoire <|-- Buffer ExpaceMemoire <|-- PressePapier class Sélection{ int start int stop setStart() setEnd() getStart() getEnd() } abstract class Action{ } class Copier{ copier() } class Coller{ String sauvegarde String annulation coller() } class Couper { String sauvegarde String annulation couper() } class RetourArriereEtAvant{ List<ModifieTexte> actionEffectuees List<ModifieTexte> actionAnnulees effectuArriere() effectuAvant() } ModifieTexte <|-- Copier ModifieTexte <|-- Coller Action <|-- Copier Action <|-- Coller Action <|-- Couper Action-PressePapier:"cache" Action-Sélection:"selection" Action-Buffer:"buffer" Bouton-PressePapier : "cache" Bouton-Sélection:"selection" Bouton-Buffer:"buffer" BoutonColler-ComponentTexte:"texte" BoutonCouper-ComponentTexte:"texte" BoutonRetourArrière-ComponentTexte:"texte" BoutonAnnulationDuRetourArrière-ComponentTexte:"texte" ComponentTexte-Sélection:"selection" ComponentTexte-Buffer:"memoire" BoutonColler *-- Coller: "0..1" BoutonCopier *-- Copier: "0..1" BoutonCouper *-- Couper: "0..1" BoutonRetourArrière *-- RetourArriereEtAvant: "0..1" BoutonAnnulationDuRetourArrière *-- RetourArriereEtAvant: "0..1" @enduml
2028b6baee3dcf7967fd61f00c0130c5f3d1539e
6eed6c3c25f9e3419944d517c8ddc300652ba266
/Final/Docs/Diagrams/class diagram/ClassDiagram.puml
f5a80f8da14642b4ea270e5c26045deabd0bf479
[]
no_license
avivgu/FinalProject
628ebf73b7a1bd0eaf843227a01f9788bbfb2555
f54d0101b13bf278e5782aa2a8ea943aa150d7db
refs/heads/master
2021-08-31T23:44:01.031638
2017-12-23T15:05:26
2017-12-23T15:05:26
null
0
0
null
null
null
null
UTF-8
PlantUML
false
false
9,735
puml
@startuml 'skinparam classAttributeIconSize 0 scale 1.5 'left to right direction skinparam linetype ortho package BL { package JADE <<External library>> { abstract class Agent <<Abstract, JADE>> { {abstract} #Setup() : void addBehaviour(Behaviour b) : void } abstract class Behaviour <<Abstract, JADE>> Behaviour -- Agent } package DataObjects{ class Device { +name : String +subtype : String +location : String } class Sensor { +currState : double +sensingProperties : List<String> +change(double) : void } class Actuator { +actions : List<Action> +act(Sensors, Action) : void } class Effect { +property : String +delta : double } class Action { +name : String +powerConsumption : double +effects : List<Effect> } enum RelationType { EQ GEQ LEQ GT LT } enum Prefix { BEFORE AFTER AT } class Rule { +isActive : boolean +device : Device +property : String +ruleValue : double +prefixType : RelationType +relationValue : double +prefix : Prefix } class AgentData { +name : String +neighbors : List<AgentData> +backgroundLoad : double[Problem.horizon] +priceSchema : double[Problem.horizon] +houseType : int +rules : List<Rule> +actuators : List<Actuator> +sensors : List<Sensor> } class Problem { id : String allDevices : Map<Integer, List<Device>> allHomes : List<AgentData> horizon : int granularity : int priceScheme : double[horizon] } Device <|-- Sensor Device <|-- Actuator Actuator o-- Action Action o-- Effect Problem *-- AgentData AgentData o-- Sensor AgentData o-- Actuator AgentData o- AgentData AgentData o-- Rule Prefix <-- Rule RelationType <-- Rule Rule o-- Device } package Agents { class SmartHomeAgent { +agentData : agentData +bestIteration : AgentIterationData +currIteration : AgentIterationData +numOfIterations : int #Setup() : void addBehaviour(Behaviour b) : void } Note "action(){\n\twhile(!stop){\n\t\t...\n\t\tdoIteration();\n\t\tsendIterationToCollector();\n\t\t..\n\t}\n}" as smabNote abstract class SmartHomeAgentBehaviour <<Abstract>> { +agent : SmartHomeAgent +name : String #{abstract} doIteration() : void -sendIterationToCollector(AgentIterationData) : void +action() : void +done() : boolean } class DBA { +doIteration() : void } class DSA { +doIteration() : void } class Algo3 { +doIteration : void } class Algo4 { +doIteration() : void } Agent <|-- SmartHomeAgent Behaviour <|-- SmartHomeAgentBehaviour SmartHomeAgent -- SmartHomeAgentBehaviour SmartHomeAgentBehaviour .. smabNote Problem *-- Device SmartHomeAgentBehaviour <|-- DBA SmartHomeAgentBehaviour <|-- DSA SmartHomeAgentBehaviour <|-- Algo3 SmartHomeAgentBehaviour <|-- Algo4 } package IterationData { class AgentIterationData { +iterNum : int +agentName : String +price : double +powerConsumptionPerTick : double[] } class IterationCollectedData { +problemId : String +algorithm : String } AgentIterationData <|-- IterationCollectedData } package DataCollection { class PowerConsumptionUtils <<Static>> { +{static} AE : double +{static} AC : double +{static} calculateCSum(List<double[]>, double[]) : double +{static} calculateTotalConsumptionWithPenalty(double, double[], double[], List<double[]>, double[]) : double } class DataCollector { +numOfAgentsInProblems : Map<String, int> +algorithmRunEnded() : void +sendCSumToAgents(List<) +addData(IterationCollectedData) : void TODO: add analyzing methods here } class DataCollectionCommunicator { } class DataCollectionCommunicatorBehaviour { +agent : DataCollectorCommunicator +action() : void } class StatisticsHandler { calculateAvg(List<double>) : double getStatisticalSignificance(...) : double } class AlgorithmProblemResult { +problem : String +algorithm : String +avgPricePerIteration : Map<int, double> +iterationsTillBestPrice : int +lowestCostInBestIteration : double +lowestCostInBestIterationAgentName : String +highestCostInBestIteration : double +highestCostInBestIterationAgentName : String } Note "calculateCSum(allHomesSchedule, powerScheme) {...}" as UtilsCSumNote Note "calculateEPeak(CSum, newSchedule, oldSchedule, otherSchedules, powerScheme) {...}" as UtilsEPeakNote DataCollector o-- DataCollectionCommunicator DataCollector o-- IterationCollectedData DataCollectionCommunicatorBehaviour --|> Behaviour DataCollectionCommunicatorBehaviour --o DataCollectionCommunicator DataCollector --> StatisticsHandler SmartHomeAgent o-- AgentIterationData DataCollector --> PowerConsumptionUtils PowerConsumptionUtils .. UtilsEPeakNote PowerConsumptionUtils .. UtilsCSumNote } class ExperimentBuilder { -numOfIterations : int -problems : List<Problem> -algos : List<SmartHomeAgentBehaviour> -service : Service +addNumOfIterations(int) : void +addAlgorithms(List<String>) : void +addProblems(List<String>) : void +addService(Service) : void +create() : Experiment } class Experiment { +numOfIterations : int -service : Service -dataCollector : DataCollector -problems : List<Problem> -algorithms : List<SmartHomeAgentBehaviour> -algorithmProblemRunResults : List<AlgorithmProblemResult> +runExperiment() : void +algorithmRunEnded(AlgorithmProblemResult) : void +stop() : void } ExperimentBuilder --> Experiment : creates Experiment o-- DataCollector Experiment *-- Problem SmartHomeAgent *- AgentData DataCollector --> AlgorithmProblemResult : create Experiment o-- AlgorithmProblemResult DataCollectionCommunicator "1"--"1...*" SmartHomeAgentBehaviour DataCollectionCommunicator --> AgentIterationData DataCollector --> AgentIterationData SmartHomeAgentBehaviour --> PowerConsumptionUtils } package PL { class UiHandler <<Observer>> { chartsCreator : ChartViewer service : Service -showMainScreen() : void -showResultsScreen() : void +notifyExperimentEnded(List<AlgorithmProblemResult>) : void } class ChartViewer { +createPricePerIterChart(Map<int, double>, String) : LineChart +nameToNumBarChart(Map<String, int>) : BarChart } Note "createPricePerIterChart(iterToPriceMap, algoName)" as chartNote UiHandler --> ChartViewer ChartViewer . chartNote } package DAL { interface FileSaverInterface { +saveExpirimentResult(List<AlgorithmProblemResult>) : void } class ExcelHandler { +saveExpirimentResult(List<AlgorithmProblemResult>) : void } interface JsonLoaderInterface { +loadDevices(String) : Map<int, List<Device>> +loadProblems(List<String>) : List<Problem> +getAllProblemNames() : List<String> } class JsonsLoader { +loadDevices(String) : Map<int, List<Device>> +loadProblems(List<String>) : List<Problem> +getAllProblemNames() : List<String> } interface AlgoLoaderInterface { +loadAlgorithms(List<String>) : SmartHomeAgentBehaviour +getAllAlgoNames() : List<String> +addAlgoToSystem(String, String) : void } class AlgorithmLoader { +loadAlgorithms(List<String>) : SmartHomeAgentBehaviour +getAllAlgoNames() : List<String> +addAlgoToSystem(String, String) : void } interface DataAccessControllerInterface { +getProblems(List<String>) : List<Problem> +getAvailableAlgorithms() : List<String> +getAlgorithms(List<String>) : List<SmartHomeAgentBehaviour> +addAlgorithmToSystem(String, String) : void +saveExpirimentResult(List<AlgorithmProblemResult>) : void } class DataAccessController { +getProblems(List<String>) : List<Problem> +getAvailableAlgorithms() : List<String> +getAlgorithms(List<String>) : List<SmartHomeAgentBehaviour> +addAlgorithmToSystem(String, String) : void +saveExpirimentResult(List<AlgorithmProblemResult>) : void } DataAccessController --> AlgoLoaderInterface DataAccessController --> JsonLoaderInterface DataAccessController --> FileSaverInterface JsonLoaderInterface <|-- JsonsLoader AlgoLoaderInterface <|-- AlgorithmLoader DataAccessControllerInterface <|-- DataAccessController FileSaverInterface <|-- ExcelHandler } class Service <<Observable>> { -experimentBuilder : ExperimentBuilder -dalController : DataAccessControllerInterface +currExperiment : Experiment +addAlgorithmsToExperiment(List<String>, int) : void +addProblemsToExperiment(List<String>) : void +runExperimrent() : void +stopExperiment() : void +getExperimentResults() : List<AlgorithmProblemResult> +experimentEnded(List<AlgorithmProblemResult>) : void +saveExperimentResults(List<AlgorithmProblemResult>) : void } Note "addAlgorithmsToExperiment(algoNames, numOfIterations){\n\t...\n\texperimentBuilder.addAlgorithms(algoNames);\n\ttexperimentBuilder.addNumOfIterations(numOfIterations);\n\t...\n}" as ServiceAddAlgoNote Service .. ServiceAddAlgoNote class SmartHomeAlgorithm <<Not Implemented>> { -doIteration() : void } '**********out of package connections:************ Service "1"--"1" Experiment Service --> AlgorithmProblemResult Service --> ExperimentBuilder JsonsLoader --> Device : creates > JsonsLoader -> Problem : creates > AlgorithmLoader --> SmartHomeAgentBehaviour : creates > DataAccessController --> Problem DataCollectionCommunicator --|> Agent ExperimentBuilder --> DataAccessControllerInterface ExcelHandler -> AlgorithmProblemResult : saves SmartHomeAlgorithm --|> SmartHomeAgentBehaviour UiHandler "1"--"1" Service @enduml
db812ae84150505944e32bc138dc4d071d530e6a
5ae3918bd2f41a233c17989c679e271524519771
/Class/u2j.puml
e7f91cdade14b000c4edc2c2ba5a9bb97251353f
[]
no_license
frontjang/uml
cc23fd9bd26fb89f680976e01c39e67361351fa5
73a4762697fcf587a93ffa012aa68c579b71ccb7
refs/heads/master
2021-01-13T07:20:39.736312
2016-10-04T07:19:10
2016-10-04T07:19:10
69,414,550
1
2
null
null
null
null
UTF-8
PlantUML
false
false
924
puml
@startuml /' https://runkit.com/npm/u2j '/ package Core{ class Basic extends V{ +dateCreated:datetime +dateChanged:datetime } class Link extends E{ +type } } package Storage{ package Law{ abstract class Body extends Basic{ +langs:string[] +contacts:Contact[] } class Legal extends Body{ +nameShort +nameFull +stockLinks } class Person extends Body{ +name +familyName +dateBirth +dateDeath } class Contact extends Basic{ +contactName +reactionInterval } } package Data{ class DataItem extends Basic class DataItemRevision extends DataItem } } package Service { Client -u-|> Legal } @enduml
2ce891f4e093e4b3bd7ef0cf1b2ad0178f0b2a74
8c59fbc94a2ba7fa9a12c10991fe334cda0df128
/metrics/ci_integrations/docs/features/in_progress_builds/diagrams/source_clients_class_diagram.puml
e249261537f14559319c4dd18b782361ccdbdfb2
[ "Apache-2.0" ]
permissive
solid-vovabeloded/flank-dashboard
7e952fa1399585d3f15cae2ed2cab435fb82df3f
15dae0c40823cc12886a1bb0c087442c0697ac89
refs/heads/master
2023-07-11T19:54:58.430004
2021-08-06T10:29:26
2021-08-06T10:29:26
389,593,827
0
0
Apache-2.0
2021-07-26T10:33:52
2021-07-26T10:25:59
null
UTF-8
PlantUML
false
false
2,743
puml
@startuml source_clients_class_diagram 'https://plantuml.com/class-diagram hide empty members package integration.interface.source.client { interface SourceClient { + fetchOneBuild(String projectId, int buildNumber): BuildData + fetchBuilds(String projectId, int fetchLimit): List<BuildData> + fetchBuildsAfter(String projectId, BuildData build): List<BuildData> + fetchCoverage(BuildData build): Percent + dispose(): void } } package source { package buildkite.adapter { class BuildkiteSourceClientAdapter { + buildkiteClient: BuildkiteClient -- + fetchOneBuild(String projectId, int buildNumber): BuildData + fetchBuilds(String projectId, int fetchLimit): List<BuildData> + fetchBuildsAfter(String projectId, BuildData build): List<BuildData> + fetchCoverage(BuildData build): Percent + dispose(): void .. //other private methods// .. } } package github_actions.adapter { class GithubActionsSourceClientAdapter { + githubActionsClient: GithubActionsClient + workflowIdentifier: String + coverageArtifactName: String + archiveHelper: ArchiveHelper -- + fetchOneBuild(String projectId, int buildNumber): BuildData + fetchBuilds(String projectId, int fetchLimit): List<BuildData> + fetchBuildsAfter(String projectId, BuildData build): List<BuildData> + fetchCoverage(BuildData build): Percent + dispose(): void .. //other private methods// .. } } package jenkins.adapter { class JenkinsSourceClientAdapter { + jenkinsClient: JenkinsClient -- + fetchOneBuild(String projectId, int buildNumber): BuildData + fetchBuilds(String projectId, int fetchLimit): List<BuildData> + fetchBuildsAfter(String projectId, BuildData build): List<BuildData> + fetchCoverage(BuildData build): Percent + dispose(): void .. //other private methods// .. } } } BuildkiteSourceClientAdapter .up.|> SourceClient GithubActionsSourceClientAdapter .up.|> SourceClient JenkinsSourceClientAdapter .up.|> SourceClient package client { package buildkite { class BuildkiteClient {} } package github_actions { class GithubActionsClient {} } package jenkins { class JenkinsClient {} } } BuildkiteSourceClientAdapter -down-> BuildkiteClient: uses GithubActionsSourceClientAdapter -down-> GithubActionsClient: uses JenkinsSourceClientAdapter -down-> JenkinsClient: uses @enduml
dbfd85cbd57eaf5bfc4facabd6e9ef44fbbeaaf7
c815f9c82c1400f76243750cd0ec609d217b9943
/builder/etc/builder.urm.puml
0c98f3b4b753aa89bea9412531ff9c810747f623
[ "MIT" ]
permissive
mikulucky/java-design-patterns
6ab10e9e5c95b6caffebf045d37d04a1571bc0cd
cbbf3bf08842723964719ed7d8ab92864ec5a58d
refs/heads/master
2021-01-17T23:34:49.962450
2016-09-28T19:54:28
2016-09-28T19:54:28
48,302,802
1
1
null
2016-01-02T23:58:44
2015-12-20T01:00:47
Java
UTF-8
PlantUML
false
false
2,508
puml
@startuml package com.iluwatar.builder { class Builder { - armor : Armor - hairColor : HairColor - hairType : HairType - name : String - profession : Profession - weapon : Weapon + Builder(profession : Profession, name : String) + build() : Hero + withArmor(armor : Armor) : Builder + withHairColor(hairColor : HairColor) : Builder + withHairType(hairType : HairType) : Builder + withWeapon(weapon : Weapon) : Builder } class App { + App() + main(args : String[]) {static} } class Hero { - armor : Armor - hairColor : HairColor - hairType : HairType - name : String - profession : Profession - weapon : Weapon - Hero(builder : Builder) + getArmor() : Armor + getHairColor() : HairColor + getHairType() : HairType + getName() : String + getProfession() : Profession + getWeapon() : Weapon + toString() : String } enum Weapon { + AXE {static} + BOW {static} + DAGGER {static} + SWORD {static} + WARHAMMER {static} + toString() : String + valueOf(name : String) : Weapon {static} + values() : Weapon[] {static} } enum HairColor { + BLACK {static} + BLOND {static} + BROWN {static} + RED {static} + WHITE {static} + toString() : String + valueOf(name : String) : HairColor {static} + values() : HairColor[] {static} } enum Profession { + MAGE {static} + PRIEST {static} + THIEF {static} + WARRIOR {static} + toString() : String + valueOf(name : String) : Profession {static} + values() : Profession[] {static} } enum Armor { + CHAIN_MAIL {static} + CLOTHES {static} + LEATHER {static} + PLATE_MAIL {static} - title : String + toString() : String + valueOf(name : String) : Armor {static} + values() : Armor[] {static} } enum HairType { + BALD {static} + CURLY {static} + LONG_CURLY {static} + LONG_STRAIGHT {static} + SHORT {static} - title : String + toString() : String + valueOf(name : String) : HairType {static} + values() : HairType[] {static} } } Hero --> "-profession" Profession Builder ..+ Hero Hero --> "-armor" Armor App --+ Hero Builder --> "-weapon" Weapon Builder --> "-hairColor" HairColor Builder --> "-hairType" HairType Hero --> "-hairColor" HairColor Builder --> "-profession" Profession Hero --> "-weapon" Weapon Hero --> "-hairType" HairType Builder --> "-armor" Armor @enduml
5ee3222a789d2b531c30df790659aca43739a960
088856ec5790009dd9f9d3498a56fe679cfab2e8
/src/puml/5/ucmitz/svg/class/baser-core/manage_themes.puml
73b909e0b631698412fd83d9c42561a902e25fe0
[]
no_license
baserproject/baserproject.github.io
21f244348890652286969afa1fde27c5c4d9e4ad
8d61cf720f833854e1a3c97136e22e75baea7bb0
refs/heads/master
2023-08-09T03:21:53.341423
2023-07-27T07:28:50
2023-07-27T07:28:50
228,826,353
0
12
null
2023-08-17T02:31:05
2019-12-18T11:31:51
HTML
UTF-8
PlantUML
false
false
1,679
puml
@startuml skinparam handwritten true skinparam backgroundColor white hide circle skinparam classAttributeIconSize 0 title テーマ管理 class Admin\ThemesController { + テーマ一覧を表示:index() + 新しいテーマをアップロードする:add() + テーマを適用する:apply() + 初期データを読み込む:load_default_data_pattern() + コピーする:copy() + 削除する:delete() + 利用中のテーマをダウンロードする:download() + 初期データをダウンロードする:download_default_data_pattern() + baserマーケットのテーマ一覧を取得する:get_market_themes() } class ThemesService { } class ThemesServiceInterface { + 単一データ取得:get() + 一覧データ取得:getIndex() + 新しいテーマをアップロードする:add() + インストール:apply() + 初期データを読み込む:loadDefaultDataPattern() + コピーする:copy() + 削除する:delete() + 利用中のテーマをダウンロードする:createDownloadToTmp() + 初期データをダウンロードする:createDownloadDefaultDataPatternToTmp() + baserマーケットのテーマ一覧を取得する:getMarketThemes() } class BcPlugin { + テーマを適用する:applyAsTheme() } class SiteConfigsTable { + テーマを適用する:setTheme() } class SiteConfig { + 名前:name + 値:value } Admin\ThemesController -down[#Black]-> ThemesService ThemesService -down[#Black]-> BcPlugin BcPlugin -down[#Black]-> SiteConfigsTable ThemesService -left[dotted,#Black]-|> ThemesServiceInterface SiteConfigsTable -down[#Black]-> SiteConfig @enduml
148471a4c8638d8ed94b606b767208f991d9e928
9c5abf9da5862ca13ebfdb9e161fdb829af5df78
/phase1/etc/phase1uml.puml
7f88bc3d04b0ef302fde0b866436fa000a8d20a4
[]
no_license
billangli/RestaurantSystem
52130ec18c0827dd17172d397f187abf054527bb
169bc4c41798799b7ba646fb391a49f79fc96d81
refs/heads/master
2020-03-16T16:26:01.071213
2018-09-22T18:43:49
2018-09-22T18:43:49
132,787,265
0
1
null
2018-07-09T18:31:07
2018-05-09T16:53:34
Java
UTF-8
PlantUML
false
false
5,669
puml
@startuml class EmployeeManager{ - {static} employeeList: ArrayList<Employee> + {static} add(backend.employee: Employee): void + {static} allEmployeesToString(): String + {static} getEmployeeById(id: int): Employee } class OrderQueue{ - OrdersInQueue: Queue<Order> - DishesInProgress: LinkedList<Dish> - DishesCompleted: LinkedList<Dish> + OrderQueue() + addOrderInQueue(order: Order): void + confirmOrdersInQueue(): void + dishCompleted(dishNumber: int): void + dishDelivered(dishNumber: int): void + queueIsEmpty(): boolean } class Employee{ - ID: int + Employee(id: int) + receiveIngredient(receivedIngredientName: String,quantity: int): void + getID(): int } class ServiceEmployee { - {static} orderQueue: OrderQueue ~ ServiceEmployee(id: int) } class Server{ + Server(id: int) + takeSeat(backend.table: Table): void + enterMenu(backend.table: Table, order: Order): void + deliverDishCompleted(dishNumber: int): void + deliverDishFailed(dishNumber: int): void + printBill(backend.table: Table): void + clearTable(backend.table: Table): void + toString(): String } class Cook{ + Cook(id: int) + orderReceived(): void + dishReady(dishNumber: int): void + toString(): String } class Manager{ + Manager(id: int) + checkInventory(): void + toString(): String } Employee <|-- ServiceEmployee ServiceEmployee <|-- Cook ServiceEmployee <|-- Server Employee <|-- Manager ServiceEmployee *-- OrderQueue EmployeeManager --> Employee : associates Server <--> Table : associates class TableManager{ - {static} tables: Table[] + {static} tableSetUp(numOfTables: int): void + {static} getTable(i: int): Table } TableManager --> Table : associates class Table{ - tableNum: int - cost: float - computerServer: Server - order: ArrayList<Order> + Table(tableNum: int): void + clear(): void + serve(computerServer: Server): void + addCost(d: Dish): void + addOrder(newOrder: Order): void + getTableNum(): int + printBill(): void + getServerId(): int } class Order{ - dishes: ArrayList<Dish> - backend.table: Table + Order(): void + addDish(d: Dish): void + toString(): String + getTableNum(): int + assignDishToTable(backend.table: Table): void + dishesToString(): String + getDishes(): ArrayList<Dish> } Order --> Dish : associates Order --> Table : associates class Ingredient{ - name: String - quantity: int - thresholdQuantity: int[] + Ingredient(name: String, quantity: int, thresholdQuantity: int[]) + getQuantity(): int + addQuantity(quantityUnit: int): void + getName(): String + allowed(n: int, in: Ingredient): boolean + isLowStock(): boolean } abstract class Dish{ - name: String - ingredientsRequired: HashMap<String, DishIngredient> - dishNumber: int - hasBeenDelivered: boolean - {static} countDish: int - cost: float - backend.table: Table + Dish(dishName: String, dishPrice: float, ingredients: String[]): void + Dish(dish: Dish): void + adjustIngredient(ingredientName: String, amount: int): void + updateIngredientsStock(): void + assignDishToTable(t: Table): void + getName(): String + getPrice(): float + getTable(): Table + toString(): String + addCostToTable(): void + isCancelled(): void + getDishNumber(): int + assignDishNumber(): void + sent(): void } Dish <--> Table : associates Dish --> DishIngredient : associates class DishIngredient { - minimumQuantity: int - maximumQuantity: int ~ DishIngredient(name: String, quantity: int, minimumQuantity: int, maximumQuantity: int): void + allowed(n: int, in: InventoryIngredient): boolean } DishIngredient --|> Ingredient class InventoryIngredient { - lowerThreshold: int - upperThreshold: int + InventoryIngredient(name: String, quantity: int, lowerThreshold: int, upperThreshold: int): void + isLowStock(): boolean } InventoryIngredient --|> Ingredient class Inventory{ - {static} ingredientsInventory: HashMap<String, InventoryIngredient> + {static} getIngredient(ingredientName: String): Ingredient + {static} modifyIngredientQuantity(ingredientName: String, quantityUnits: int ): void + {static} add(ingredient: Ingredient) : void + {static} inventoryToString() : void } Inventory --> InventoryIngredient: associates class Menu { - {static} dishes: HashMap<String, Dish> + {static} create() : void + {static} makeDish(name: String): Dish } Menu --> Dish : associates abstract class Event{ ~ employeeType: String ~ employeeID: int ~ methodName: String ~ parameters: ArrayList<String> ~ Event(line: String) - parseEvent(line: String): void ~ {static} parseOrder(str: String): Order - {static} parseDish(str: String): Dish ~ {abstract} process(): void } class EventManager{ - {static} FILE: String = "phase1/backend.event/backend.event.txt" - eventQueue: Queue<Event> + EventManager() + readFile(): void + processEvents(): void } class ProcessableEvent{ ~ ProcessableEvent(line: String) ~ process(): void - processCookEvent(cook: Cook): void - processManagerEvent(manager: Manager): void - processServerEvent(computerServer: Server): void } class EventReader{ - file: String - lines: ArrayList<String> ~ EventReader(file: String) ~ readFile(eventQueue: Queue<Event>): void - addLinesToQueue(lines: ArrayList<String>, eventQueue: Queue<Event>): void } Event <|-- ProcessableEvent EventManager *-- EventReader EventManager *-- Event Event --> Dish Event --> Order ProcessableEvent --> Employee ProcessableEvent --> Table ProcessableEvent --> Order class backend.RestaurantSystem{ - {static} start(): void + {static} main(): void } backend.RestaurantSystem --> TableManager backend.RestaurantSystem --> EmployeeManager backend.RestaurantSystem --> InventoryIngredient backend.RestaurantSystem --> Inventory backend.RestaurantSystem --> Menu backend.RestaurantSystem *-- EventManager @enduml
f2a5f155023df30d736d719b6d71b717ae64096d
5865dd57979572fdeb3c27dde090ef30891a4d66
/T1/test3/3.1.puml
35b9731a275b745f742856fc9e62fd91e40b8500
[]
no_license
Zengyulong/is_analysis
c702fa437386e53481f89cc36e17af144be60846
4af1d9058b6e95aeb1f162b14729ffbf611d8e0d
refs/heads/master
2021-04-12T08:22:24.397584
2018-06-08T09:11:52
2018-06-08T09:11:52
125,817,376
0
2
null
null
null
null
UTF-8
PlantUML
false
false
1,190
puml
@startuml package "图书管理系统" #DDDDDD { class Librarian { __ private data __ -String username -- encrypted -- -String password __ public method __ +维护图书() +还原图书() +借出图书() +维护借阅信息() } class Administor { __ private data __ -String username -- encrypted -- -String password __ public method __ +维护Librarian信息() +维护图书信息() +维护Borrower信息() ) } class Borrower { __ private data __ -String username -- encrypted -- -String password __ public method __ +查询借阅信息() +查询图书() +借阅图书() +还书() +缴纳罚金() } class 图书 { __ private data __ -书名 -总量 -库存 -价格 -出版社 -简介 -作者 } class 借书记录 { __ private data __ -借阅者信息 -借出时间 -归还期限 } Librarian <|-- Administor : 维护图书管理员信息 Borrower "1" *-- "N" 借书记录 : 借书和还书 借书记录 "1" o-- "1" 图书 借书记录 "N" -- "1" Librarian : 记录和还原 Librarian "N" --- "N" 图书 : 维护图书 Librarian "N" -- "N" Borrower } @enduml
32fe623b43f379f622ce4a4a494e3817e5c16d38
da0cd683d55a0b455a3bc40fa9591a09cf26fc48
/pattern_umls/adapter/duck_adapter_uml.puml
81ab4091e3daf6b1f0f670e4e4456f020e055577
[]
no_license
zzbb1199/HeadFirst
5916d340cedfd435722f76c0d72bb1362b57e8bc
94663c586e098b7f4175cbc8c6efc45ae00fbe3f
refs/heads/master
2020-04-05T06:19:40.593678
2018-11-22T14:16:59
2018-11-22T14:16:59
156,634,040
0
0
null
null
null
null
UTF-8
PlantUML
false
false
159
puml
@startuml interface Duck{ quack() } class Adapter{ quack() } class Goose{ hook() } Client -> Duck Duck <|. Adapter Adapter --> Goose @enduml
f62435dd4bb8912cd3003783a958c480e7133df7
8526162a04e1aafc763c035c23cfcfb25eee6159
/app/src/main/java/com/voicenotes/view/library/library.plantuml
a82f2abf854d543ed922d1f89128dd194a8451f9
[ "BSD-2-Clause" ]
permissive
fernandopm7/com.tfg.voicenotes
b1c869a0c94b59c6d7d2bce936b489bd84d3ae3b
7bef4346b79bada48a85ff1c3011e39a753b814b
refs/heads/master
2020-06-04T22:08:42.890833
2019-08-27T17:10:46
2019-08-27T17:10:46
192,209,386
0
0
BSD-2-Clause
2019-08-27T18:56:21
2019-06-16T15:50:32
Java
UTF-8
PlantUML
false
false
4,473
plantuml
@startuml title __LIBRARY's Class Diagram__\n package com.voicenotes { package com.voicenotes.view.library { class BibliotecaActivity { {static} - activeTag : String - showingTags : List<String> ~ submenu : SubMenu + elementosBiblioteca : ArrayList<CustomAdapterElement> ~ actionButton : FloatingActionButton ~ audioView : ListView ~ navigationView : NavigationView ~ isSpeaking : boolean ~ quitarSelecciones : ImageButton ~ share : ImageButton ~ flag : boolean ~ deleteFromlist : ImageButton ~ searchButton : ImageButton ~ menuFromTopToolbar : ImageButton ~ backFromBusqueda : ImageButton ~ filterButton : ImageButton + contadorSelecciones : TextView ~ appName : TextView ~ searchView : SearchView ~ search : TopDocs {static} ~ RQS_OPEN_AUDIO_MP3 : int ~ audioCursor : Cursor - toolbarBot : Toolbar ~ abl : AppBarLayout - toolbarTop : Toolbar - mNavigationView : NavigationView {static} - REQUEST_WRITE_PERMISSION : int {static} - REQUEST_RECORD_PERMISSION : int - writePermissionGranted : boolean - recordPermissionGranted : boolean - currentFilter : String {static} + currentRec : RecordActivity {static} + KWS_SEARCH : String {static} - ACTION_RECORD : String {static} + ACTION_SEARCH : String {static} - ACTION_EXIT : String {static} - MENU_SEARCH : String {static} - ACTION_REPRODUCIR : String {static} - ACTION_FILTRAR : String {static} - KEYPHRASE : String {static} - PERMISSIONS_REQUEST_RECORD_AUDIO : int + recognizer : SpeechRecognizer - captions : HashMap<String, Integer> - searching : boolean - reproducir : boolean + asistenteGrabacionActivado : boolean + askingName : boolean + askingTag : boolean - filtrando : boolean + recordingName : String + tagName : String + isRecording : boolean ~ text : String + tts : TextToSpeech ~ buttonQuitarSeleccionesListener : OnClickListener ~ ButtonDeleteFromListListener : OnClickListener ~ buttonOpenOnClickListener : OnClickListener ~ buttonShareClickListener : OnClickListener ~ buttonSelectAllClickListener : OnClickListener ~ buttonUpdateClickListener : OnClickListener + buscarEnAudioList() + continueRecog() - saveAudioUsingAccesibleMode() {static} + saveCurrentRec() - getFilteredList() + onBackPressed() + onCreateOptionsMenu() + onOptionsItemSelected() + onNavigationItemSelected() + addAllAsCAEList() - addItemsRunTime() + updateListView() + onResume() + onRequestPermissionsResult() + onDestroy() + onPartialResult() + onResult() + onBeginningOfSpeech() + onEndOfSpeech() - switchSearch() - setupRecognizer() + onError() + onTimeout() - requestStoragePermission() - requestRecordPermission() + ConvertTextToSpeech() + onCreate() - loadListElementsFromMap() + setVisible() + setInvisible() } } } package com.voicenotes { package com.voicenotes.view.library { class SetupTask { ~ activityReference : WeakReference<BibliotecaActivity> ~ SetupTask() # doInBackground() # onPostExecute() } } } BibliotecaActivity -up-|> OnNavigationItemSelectedListener BibliotecaActivity -up-|> RecognitionListener BibliotecaActivity -up-|> AppCompatActivity BibliotecaActivity o-- SetupTask : currentSetup BibliotecaActivity o-- AudioSearcher : audioSearcher BibliotecaActivity o-- BibliotecaActivity : bib BibliotecaActivity +-down- SetupTask SetupTask -up-|> AsyncTask HostCallbacks -up-|> FragmentHostCallback 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
91e058f46bcfed3cd45c959b13fa7ff182726367
9ce9bb04097908d0474f00e951202f9dd71fa212
/Main/UC-Diagram/ClassDiagram.puml
4f1a4be6102c7c29802b5082c779a5bbf7e8785d
[]
no_license
averkova-a/OBD_project
1b77fb70898385f3c7c37d71a3ac975badd86599
8755b18c695f64837735189535ac3d5e49e10aaf
refs/heads/master
2020-07-22T04:47:55.558329
2019-12-07T08:56:49
2019-12-07T08:56:49
207,078,480
2
8
null
2019-10-26T18:51:59
2019-09-08T07:40:00
null
UTF-8
PlantUML
false
false
750
puml
@startuml class Операція{ * Ім'я } class Роль{ * Ім'я } class Право{ } class "Тип артефакту"{ * Ім'я } class Артефакт{ * Ім'я * Опис } class Призначення{ * Дата } class Користувач{ * Email * Login } class Проект{ * Номер * Іконка * Назва } Операція "1,1" --- "0,*" Право Право "0..*" -right "1,1" Роль Право "0..*" --- "1,1" "Тип артефакту" "Тип артефакту" "1,1" --- "0,*" Артефакт Роль "1,1" --- "0,*" Призначення Призначення "0,*" -right "1,1" Користувач Призначення "1,1" --- "0,*" Проект @enduml
3a11738e950be397dafc0a3fdd567dbd25a94537
96ebc07282837e1a8a5c64f741c8a06465892b73
/src/main/java/net/deanly/demo/domain/integrated_searcher/_doc/class_diagram.puml
a0d6cc458925de542160659073fc5556527b3b90
[]
no_license
Deanly/flexible-integrated-searcher
a5b0abcecd1fd1dd86a3f5b0f484407560ed1125
3fd39ebf96ec4188c7770c46ec60fa7ddeee1401
refs/heads/master
2023-02-28T06:29:56.868423
2021-02-01T14:09:12
2021-02-01T14:09:12
332,281,898
0
0
null
null
null
null
UTF-8
PlantUML
false
false
3,737
puml
@startuml /' SearchProduct - Core Domain '/ abstract CoreSearcher<T><<Core>> { + policy: ISearchPolicy + serviceProvider: IQueryServiceProvider - translator: ConditionTranslator - queryWorker: SearchQueryWorker + getIdentifierType() -> java.lang.reflect.Type (of generic T) + search(ISearchCondition) -> SearchAnswer<T> } /' ISearchCondition - 검색 도메인 가시화 - 검색 조건 정의 - 버전 관리 '/ interface ISearchCondition { + columns() -> ISearchColumn<?>[] + requiredColumnGrouping() -> ColumnTypeGroup[] + getPageable() -> Pageable } class ColumnTypeGroup { + types: ColumnType[] } interface ISearchColumn<T> { + type() -> ColumnType + rawKey(QueryServiceType) -> String + rawValue() -> T + operator() -> SearchOperator + readableQueryServices() -> QueryServiceType[] } enum ColumnType { - type: java.lang.reflect.Type { customized } + getType() -> java.lang.reflect.Type } enum SearchOperator { : AND : OR } class SearchAnswer<T> { + conditions: ISearchCondition + values: Page<SearchAnswerItem<T>> + searchPath: QueryServiceType[] } class SearchAnswerItem<T> { + identifier: T + idType: ColumnType + references: Map<ColumnType, Object> } class ConditionTranslator { + translate(ISearchPolicy, ISearchCondition) \n -> QueryCoordinator[] } class InvalidConditionException /' ISearchPolicyProvider '/ interface ISearchPolicy { + prioritiesQueryByColumn: [PriorityQueryByColumn] } class PriorityQueryByColumn { + ColumnType: ColumnType + priorityQueryType: PriorityQueryType + queryServiceType: QueryServiceType } enum PriorityQueryType { : ALWAYS // 항상사용 : PREFER // 우선사용 : AVOID // 회피 } class NoQueryServiceException /' SearchQueryWorker '/ class SearchQueryWorker { + <T> blockQueryPage(Type, IQueryServiceProvider, QueryCoordinator) -> Page<SearchAnswerItem<T>> + <T> parallelsQueryPage(Type, IQueryServiceProvider, QueryCoordinator[]) -> Page<SearchAnswerItem<T>> + <T> waterfallQueryPage(Type, IQueryServiceProvider, QueryCoordinator[]) -> Page<SearchAnswerItem<T>> } /' QueryCoordinator '/ abstract QueryCoordinator { # conditions: ISearchColumn<?>[] # references: ColumnType[] # pageable: Pageable + isStandard: boolean + infraType() -> QueryServiceType + query(SearchInfraInterface) -> List<SearchResultItem<?>> } /' IQueryService - 기본 순서는 IQueryServiceProvider 에 정의된 순서. '/ interface IQueryService<T> { + type() -> QueryServiceType + search(ISearchColumn<?>[], Pageable) -> Page<SearchAnswerItem<T>> + identifier() -> ColumnType + references() -> ColumnType[] } interface IQueryServiceProvider { + access(ColumnType, QueryServiceType) -> IQueryService } enum QueryServiceType { { customized } } CoreSearcher .> SearchAnswer CoreSearcher *-- SearchQueryWorker CoreSearcher *-- ConditionTranslator CoreSearcher o--- IQueryServiceProvider CoreSearcher o--- ISearchPolicy ISearchCondition "1" -- "0.." ISearchColumn ISearchCondition <. CoreSearcher ISearchCondition .> ColumnTypeGroup ISearchColumn . ColumnType ISearchColumn .. SearchOperator ColumnTypeGroup ..> ColumnType IQueryServiceProvider "1" ..> "0.." IQueryService IQueryService . QueryServiceType ISearchPolicy ..> PriorityQueryByColumn PriorityQueryByColumn ..> PriorityQueryType ConditionTranslator ..> ISearchPolicy SearchQueryWorker ..> IQueryServiceProvider SearchQueryWorker . NoQueryServiceException QueryCoordinator <.. SearchQueryWorker ConditionTranslator ..> QueryCoordinator ConditionTranslator . InvalidConditionException SearchAnswer "1" -- "0.." SearchAnswerItem @enduml
6a92e365b12fa578e9fce76b42f45e0f400b239f
d97b774fd95a8e98e37c46ee1771f6e6e407a148
/uml/api/GraphQLResourceNotFoundError.puml
046215abe9c90f01239c63edf7078de4695776b3
[]
no_license
commercetools/commercetools-api-reference
f7c6694dbfc8ed52e0cb8d3707e65bac6fb80f96
2db4f78dd409c09b16c130e2cfd583a7bca4c7db
refs/heads/main
2023-09-01T05:22:42.100097
2023-08-31T11:33:37
2023-08-31T11:33:37
36,055,991
52
30
null
2023-08-22T11:28:40
2015-05-22T06:27:19
RAML
UTF-8
PlantUML
false
false
424
puml
@startuml hide empty fields hide empty methods legend |= |= line | |<back:black> </back>| inheritance | |<back:green> </back>| property reference | |<back:blue> </back>| discriminated class | endlegend interface GraphQLResourceNotFoundError [[GraphQLResourceNotFoundError.svg]] extends GraphQLErrorObject { code: String } interface GraphQLErrorObject [[GraphQLErrorObject.svg]] { code: String } @enduml
f096df2224b1ac2e8babd8b8ac2dc6b1a70104b4
227c32f7a5991c0ce2de069dd1f0448c1e6949fb
/PlantUML/CostFunction/CostFunction_Framework.puml
2065c58682e82d64267581898eb185c67ed65283
[]
no_license
ShisatoYano/SLAMDesignUML
2b3af745ecf8ff1b88845e248a72c589fe9aa1ba
bb8678908952205d1fdc2ea5e49c9ca752e123b9
refs/heads/master
2022-11-25T17:49:03.514885
2020-08-02T00:27:38
2020-08-02T00:27:38
261,206,484
0
0
null
null
null
null
UTF-8
PlantUML
false
false
726
puml
@startuml skinparam classAttributeIconSize 0 class CostFunction{ - std::vector<const LPoint2D*> curLps /'associated current point cloud'/ - std::vector<const LPoint2D*> refLps /'associated reference point cloud'/ - double evlimit /'matching distance threshold'/ - double pnrate /'associated point rate within evlimit'/ + CostFunction() : evlimit(0), pnrate(0) + ~CostFunction() + setEvlimit(double e) {evlimit = e} + void setPoints(std::vector<const LPoint2D*> &cur, \n std::vector<const LPoint2D*> &ref) + double getPnrate() {return(pnrate)} + virtual double calValue(double tx, double ty, double th) = 0 } CostFunction <|-- CostFunctionED CostFunction <|-- CostFunctionPD @enduml
029c6448377200f21710250df71751a7ed5490c2
540d43c90e930f35817857dd6f9df2dfbf93cff1
/puml/Native-VideoEnoder.puml
6be7a920f0836aef5e8e6e9d238a9ab6ff036d54
[]
no_license
vintonliu/webrtc_code_read
252aad744b938ddfd7fb6bad389c9f9b5db6a89c
cffd54917e2cf5c29f5abb703401a7f23abf0f7c
refs/heads/master
2023-07-04T21:10:12.722636
2021-08-09T11:47:08
2021-08-09T11:47:08
371,236,194
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,131
puml
@startuml Native_VideoEncoder title Android 视频编码器工厂类图 abstract class VideoEncoderFactory { + std::vector<SdpVideoFormat> GetSupportedFormats() .. + virtual std::vector<SdpVideoFormat> GetImplementations() .. + CodecInfo QueryVideoEncoder(const SdpVideoFormat& format) .. + std::unique_ptr<VideoEncoder> CreateVideoEncoder( const SdpVideoFormat& format) .. + std::unique_ptr<EncoderSelectorInterface> GetEncoderSelector() } class VideoEncoderFactoryWrapper { + std::vector<SdpVideoFormat> GetSupportedFormats() .. + virtual std::vector<SdpVideoFormat> GetImplementations() .. + CodecInfo QueryVideoEncoder(const SdpVideoFormat& format) .. + std::unique_ptr<VideoEncoder> CreateVideoEncoder( const SdpVideoFormat& format) .. + std::unique_ptr<EncoderSelectorInterface> GetEncoderSelector() -- - ScopedJavaGlobalRef<jobject> encoder_factory_ .. - std::vector<SdpVideoFormat> supported_formats_ .. - std::vector<SdpVideoFormat> implementations_ } VideoEncoderFactory <|-- VideoEncoderFactoryWrapper @enduml
30e6af2ef233ea234f8d8d6b95fb7c6ab9ec8cf0
ac73e2089c6d4ddbb652f048c0e7ead6360c57ea
/docs/diagrams/src/builder.plantuml
78e95b8330099595e8c5b24aadbe79ea88a7d6f1
[]
no_license
torrespro/requirements
bd9ced7202acdadbaa6d05023db42822a0195e7d
c51a8a29034a39843ea99aa7d9d83d9fdf0e45b2
refs/heads/master
2023-09-04T02:11:25.244353
2021-10-20T15:17:21
2021-10-20T15:17:21
null
0
0
null
null
null
null
UTF-8
PlantUML
false
false
3,626
plantuml
@startuml builder class CountryFactory <<abstractFactory>> <<singleton>> { +{static} instance() : CountryFactory + getTicket() : Ticket + getMenu() : Menu } class TicketBuilder <<builder>> { +{static}instance(): TicketBuilder + build() : Ticket } class TicketOperation { + set( ticket : Ticket) : void + visit (line : SaleLine) : void + visit (line : Repetitionine) : void + visit(line : CancellationLine) : void + visit (line : ReturnLine) : void + visit (footer : Footer) : void + visit (head) : void } class SpanishTicketBuilder { ~ SpanishTicketBuilder() + build() : Ticket } class FrenchTicketBuilder { ~ FrenchTicketBuilder() + build() : Ticket } class TicketOperationComposite <<composite>> { + TicketOperationComposite() + set( ticket : Ticket) : void + visit (line : SaleLine) : void + visit (line : Repetitionine) : void + visit(line : CancellationLine) : void + visit (line : ReturnLine) : void + visit (footer : Footer) : void + visit (head) : void } class TaxPrinterOperation { + visit (line : SaleLine) : void + visit (line : Repetitionine) : void + visit(line : CancellationLine) : void + visit (line : ReturnLine) : void + visit (footer : Footer) : void + visit (head) : void } class DisplayViewerOperation { + visit (line : SaleLine) : void + visit (line : Repetitionine) : void + visit( line : CancellationLine) : void + visit (line : ReturnLine) : void + visit ( footer : Footer) : void + visit (head) : void } class BackupOperation { + visit (line : SaleLine) : void + visit (line : Repetitionine) : void + visit( line : CancellationLine) : void + visit (line : ReturnLine) : void + visit ( footer : Footer) : void + visit (head) : void } class ClientPrinterOperation { + visit (line : SaleLine) : void + visit (line : Repetitionine) : void + visit( line : CancellationLine) : void + visit (line : ReturnLine) : void + visit ( footer : Footer) : void + visit (head) : void } class PriceCalculatorOperation { +PriceCalculatorOperation (ticket: Ticket) + visit (line : SaleLine) : void + visit (line : Repetitionine) : void + visit( line : CancellationLine) : void + visit (line : ReturnLine) : void } class ThreeXTwoOfertOperation { + visit (line : SaleLine) : void + visit (line : Repetitionine) : void + visit(line : CancellationLine) : void + visit (line : ReturnLine) : void + visit (footer : Footer) : void + visit (head) : void } class ScreenViewerOperation { + visit (line : SaleLine) : void + visit (line : Repetitionine) : void + visit( line : CancellationLine) : void + visit (line : ReturnLine) : void + visit (footer : Footer) : void + visit (head) : void } class TotalPriceCalculatorOperation CountryFactory --> TicketBuilder : #ticketBuilder TicketBuilder <-- TicketBuilder :-ticketBuilder TicketBuilder <|-- SpanishTicketBuilder TicketBuilder <|-- FrenchTicketBuilder SpanishTicketBuilder ..> TicketOperationComposite SpanishTicketBuilder ..> TaxPrinterOperation FrenchTicketBuilder ..> DisplayViewerOperation SpanishTicketBuilder ..> BackupOperation SpanishTicketBuilder ..> ClientPrinterOperation FrenchTicketBuilder ..> PriceCalculatorOperation SpanishTicketBuilder ..> ThreeXTwoOfertOperation TicketOperation "0..*" <-- TicketOperationComposite :-ticketOperationList TicketOperation <|-- TicketOperationComposite TicketOperation <|-- TaxPrinterOperation TicketOperation <|-- DisplayViewerOperation TicketOperation <|-- BackupOperation TicketOperation <|-- ClientPrinterOperation TicketOperation <|-- PriceCalculatorOperation TicketOperation <|-- ThreeXTwoOfertOperation TicketOperation <|-- ScreenViewerOperation TicketOperation <|-- TotalPriceCalculatorOperation @enduml
377051eb7be293b7eae7080a87e2048151e469aa
a1eb6871a4ccbc6135b331ae824db91ec7b71e4e
/build/safte@0.16.0.puml
10694556ec0e948765db26b7c4801a46ca66f5da
[ "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,339
puml
@startuml class org.accordproject.safte.TokenSale << (T,yellow) >> { + Double tokenPrice } org.accordproject.safte.TokenSale --|> concerto.Transaction class org.accordproject.safte.TokenShare << (T,yellow) >> { + Double tokenAmount } org.accordproject.safte.TokenShare --|> concerto.Transaction class org.accordproject.safte.EquityFinancing << (T,yellow) >> { + Double sharePrice } org.accordproject.safte.EquityFinancing --|> concerto.Transaction class org.accordproject.safte.EquityShare << (T,yellow) >> { + Double equityAmount } org.accordproject.safte.EquityShare --|> concerto.Transaction class org.accordproject.safte.DissolutionEvent << (T,yellow) >> { + String cause } org.accordproject.safte.DissolutionEvent --|> concerto.Transaction class org.accordproject.safte.PayOut << (T,yellow) >> { + Double amount } org.accordproject.safte.PayOut --|> concerto.Transaction class org.accordproject.safte.SafteContract << (A,green) >> { + String companyName + Long companyRegistrationNumber + String purchaser + State jurisdiction + Double purchaseAmount + Double discount + String projectName + String projectDescription + Integer months + String monthsText + Double amount + String amountText } org.accordproject.safte.SafteContract --|> org.accordproject.contract.Contract @enduml
ab3713815b3b73ef2e8de9a7ac394707530a9936
93f3eac166129e0b480e51b9b038c2c19e4113be
/source/TemplateMethod/uml.puml
9a7585cce46fcc112f065a0eeb3e4991a83f1bcd
[]
no_license
y-okagawa/DesignPattern
9effd40b81d09ae1dfa6baf4efb49c22c586ccae
ba6434f0faeca491b21638445bfab8560469aa61
refs/heads/master
2020-05-18T00:38:30.057653
2019-04-30T05:16:43
2019-04-30T05:16:43
184,068,111
0
0
null
null
null
null
UTF-8
PlantUML
false
false
293
puml
@startuml AbstractDisplay<|--CharDisplay AbstractDisplay<|--StringDisplay class AbstractDisplay { open() print() close() display() } class CharDisplay { open() print() close() } class StringDisplay { open() print() close() printLine() } @enduml
0c2caacc9234f9b8471c9d44d7065fe82d346e60
89e33a2f7e42dc60dc43eb20ea32dd070f0e86cf
/diagrama de clases.plantuml
356c5b9fd5b88afd5f42a36377448ffc05370ff9
[]
no_license
PatataBarata/recuperacionED
6ba42294c4d25929fb5a04ac9d024fe048e7d945
3e3fca605364fe13f2aef0c3b03f5e69bad120ee
refs/heads/master
2022-11-20T04:57:50.046528
2020-06-18T20:33:43
2020-06-18T20:33:43
273,308,508
0
0
null
2020-06-18T18:11:10
2020-06-18T18:11:09
null
UTF-8
PlantUML
false
false
1,056
plantuml
@startuml Aplicación de una pequeña tienda Tienda "1"*--"*" Compras Compras o-- Categoria Compras -- Productos Empleado --o Pagos Tienda "1" *-- "*" Seccion Compras -- Pagos Cliente--Compras Pagos--FormaDePago Seccion--Productos Cliente -- Pagos Class Tienda{ - string nombre } Class Compras{ - float cantidadAPagar - date fecha - date fechaDeDevolucion - enum categoria - int unidadesAdquiridas } enum Categoria{ oferta, normal, rebajas } Class Productos{ - int stock - int idProducto - string nombre - string descreipción - float precioIndividual } Class Pagos{ - enum formaDePago - int numeroTarjeta - string datosClienteCheque } Class Seccion{ - string productos - int cantidad - string numeroDeSerie } class Empleado{ - int idEmpleado - string nombre - bool indefinido } class Cliente{ - int idCliente - string nombre - int numeroTarjeta } enum FormaDePago{ tarjeta, cheque, efectivo } @enduml
cb476d8a9be21e1164c596c645322cd8d279bfaf
3635c69c8883366323d578c0da0c1717bfbb316c
/study/src/main/resources/chenji/designpattern/10_command_pattern.puml
08087673267512cf26defb68740a40870c2a390d
[]
no_license
baojing111/changjiang
46ccf5b7ef74ef6178e4d8febc5681ee593c557f
671de442c89fb8b61f3e64790f3d1024894d0b92
refs/heads/master
2020-03-10T22:23:15.726613
2019-05-04T02:07:10
2019-05-04T02:07:10
129,617,983
0
1
null
null
null
null
UTF-8
PlantUML
false
false
771
puml
@startuml title 命令模式 legend right 案例:http://www.runoob.com/design-pattern/command-pattern.html end legend interface Command<<请求接口>>{ +excute():void } package Commands<<请求实现类>>{ class CommandA{ -receiver : Receiver } class CommandB{ -receiver : Receiver } CommandA .up.|> Command : implements CommandB .up.|> Command : implements } class Receiver<<请求处理者>>{ +excute() : void } CommandA --> Receiver : implements CommandB --> Receiver : implements class Invoker<<请求的管理者>>{ -commands : List<Command> +addCommand() : void +removeCommand() : void } Invoker -left-> Command class Client<<客户端>>{ +main() : void } Client -left-> Invoker @enduml
e9ef6101fc2c39923c83b3ed8c986962ae014731
c45cc68c434fa309a4429b6031abd554f2847a65
/docs/preedent.puml
865eec168ac0dc9821b45d6380a71fa52a81f272
[]
no_license
AlexDakson/knowledgebase
ea0a56a87d7eedbe430c498df1b163964b598efc
af6dc73fb8245fe9c940dd1e2a7b9b0c970992a8
refs/heads/master
2021-02-12T17:08:11.481120
2020-03-05T12:02:45
2020-03-05T12:02:45
244,610,384
0
1
null
2020-03-03T10:45:56
2020-03-03T10:45:56
null
UTF-8
PlantUML
false
false
1,377
puml
@startuml class Document <<Документ>> { - id - source - resources + __construct(name, source) - createResources() } class Source <<Ресурс>> { - tag + __construct(tag) } class Subscribtion <<Подписка>> { - user - document + __construct(user, resource) } class Catalog <<Каталог>> { - documents + __construct() } class User <<Пользователь>> { - login + __construct(login) } class Adapter { - source - docs + __construct(sourse) + getDocs() } class ResourceAdapter { - resource - source + __construct(source) - getSource(source) + getResources(tag = "h[0-6]+", attribute = "id") } class Subscribtions <<Подписки>>{ - subscribtions + subscribe(user, resource) } class WatcherSubscribtions { - notification + setNotification(notification) + notification(elemntDiv) - getId(tag) - etText(tag) } class Notification { - subscribtions + setSubscribtions(subscribtions) + notify(idDoc, textNotificate) + sendNotification(user, textNotification) } Document o-- Source Catalog o-- Document Subscribtion o-- User Adapter --o Catalog ResourceAdapter --o Document Subscribtions o-- Subscribtion Document o-- Subscribtion WatcherSubscribtions o-- Notification Notification o-- Subscribtions @enduml
211e8fe6e80e5faca8a798df94e4f358e1be2f36
74cb674dc7b9c3f65f6ab08fc5ad3a43c3bf12d3
/Offline 4/Problem 1/src/networking/networking.plantuml
77e01f82d7627cc41d50573484a56c351adca20f
[]
no_license
zarif98sjs/CSE-308-Software-Engineering
a9759bbee2ea0647eae2ea677d08741293a1cc14
515015a40c10d916d5089f11784b4ff75319fcbd
refs/heads/main
2023-06-27T05:57:00.443594
2021-07-28T13:57:32
2021-07-28T13:57:32
344,690,362
2
1
null
null
null
null
UTF-8
PlantUML
false
false
765
plantuml
@startuml title __NETWORKING's Class Diagram__\n namespace networking { class networking.Client { - clientSocket : Socket - dis : DataInputStream - dos : DataOutputStream - file : File + Client() {static} + main() } } namespace networking { class networking.FileHandler { ~ readFile() } } namespace networking { class networking.Server { ~ stocks : HashMap<String, Stock> ~ users : Vector<User> {static} + main() ~ Server() } } 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
3f4b6f12fb787c977c23837e09197df7dd423023
45fad34528b24e239c94f23c44d0e48fcc388f70
/src/app/creational/factory-method/factory-method.puml
90852e6cbd2b0afdf8cf7347179c002d381cc29a
[ "MIT" ]
permissive
bad199xqn/design-patterns
2a164d1c42d767a18366afb76314f4b511fd1e1c
6ac1d9956918d5180be77a3faf4919c2037ce329
refs/heads/main
2023-07-15T06:48:26.231897
2021-08-23T18:14:56
2021-08-23T18:14:56
null
0
0
null
null
null
null
UTF-8
PlantUML
false
false
784
puml
@startuml skinparam class { backgroundColor whitesmoke arrowColor dimgrey borderColor dimgrey } interface Masterpiece { create(): string } abstract class Studio { + {abstract} factoryMethod(): Masterpiece + createMasterpiece(): string } class Painter { + create(): string } class Sculptor { + create(): string } class PainterStudio <XOR> { + factoryMethod(): Masterpiece } class SculptorStudio <XOR> { + factoryMethod(): Masterpiece } Masterpiece <|.. Painter Masterpiece <|.. Sculptor Studio <|-- PainterStudio Studio <|-- SculptorStudio Masterpiece <. Studio 'Painter .. PainterStudio 'Sculptor .. SculptorStudio @enduml ' Abstract class may also provide default implementation of factory method ' Client code is not aware of creator class (Studio)
ab7c9dcff72fd09f8f1204a03312b0584f775e95
2d233a502e90695894217ded43afcbec9421d34a
/phase2/src/main/java/controller/transactions/transactions.plantuml
69bc7a5cef59f636f7fb38796ac395ab1aed04e2
[]
no_license
kexinlin/CSC207-Software-Design
b9d51521481d6e8d9060b7d2febd2af88965b4f4
503e3e1b77a022e0804d714fefe79740da4fa4d9
refs/heads/master
2021-07-06T12:14:13.445225
2019-04-03T19:22:35
2019-04-03T19:22:35
188,863,831
0
0
null
2020-10-13T13:29:12
2019-05-27T14:59:35
Java
UTF-8
PlantUML
false
false
3,220
plantuml
@startuml title __TRANSACTIONS's Class Diagram__\n package controller { package controller.transactions { interface BillController { {abstract} + recordPayment() } } } package controller { package controller.transactions { class CashController { + CashController() - getCashToWithdraw() + withdrawCash() - calculateTotalBillAmount() + depositCash() } } } package controller { package controller.transactions { class ChequeController { + ChequeController() + depositCheque() } } } package controller { package controller.transactions { interface DepositController { {abstract} + setATM() {abstract} + getATM() {abstract} + depositMoney() {abstract} + stockCash() } } } package controller { package controller.transactions { class FileBillController { - billFileName : String + FileBillController() + getBillFileName() + setBillFileName() + recordPayment() } } } package controller { package controller.transactions { class FileDepositController { - depositFileName : String + FileDepositController() + getATM() + setATM() + setDepositFileName() + getDepositFileName() + depositMoney() + stockCash() - getCashMapForDeposit() - getDepositInfo() } } } package controller { package controller.transactions { enum DepositType { CASH CHEQUE } } } package controller { package controller.transactions { class DepositInfo { ~ cashMap : HashMap<Cash, Integer> ~ amount : double ~ DepositInfo() ~ DepositInfo() } } } package controller { package controller.transactions { class FileWithdrawController { - withdrawFileName : String + FileWithdrawController() + getATM() + setATM() + setWithdrawFileName() + getWithdrawFileName() + withdrawMoney() - writeWithdrawFile() } } } package controller { package controller.transactions { interface WithdrawController { {abstract} + setATM() {abstract} + getATM() {abstract} + withdrawMoney() } } } CashController o-- ATM : machine ChequeController o-- ATM : machine FileBillController -up-|> BillController FileDepositController -up-|> DepositController FileDepositController o-- ATM : machine FileDepositController o-- CashFactory : cashFactory FileDepositController +-down- DepositType FileDepositController +-down- DepositInfo DepositInfo o-- DepositType : type FileWithdrawController -up-|> WithdrawController FileWithdrawController o-- ATM : atm 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
838253f58d60854dad41bc6a1c0afe9f6d086851
a1eb6871a4ccbc6135b331ae824db91ec7b71e4e
/build/fragile-goods@0.14.0.puml
9f994c66137bf28a432f3dd064dd9b7013c8796a
[ "Apache-2.0", "LicenseRef-scancode-unknown-license-reference", "CC-BY-4.0" ]
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,003
puml
@startuml class io.clause.demo.fragileGoods.ShipmentStatus << (E,grey) >> { + CREATED + IN_TRANSIT + ARRIVED } class io.clause.demo.fragileGoods.DeliveryUpdate << (T,yellow) >> { + DateTime startTime + DateTime finishTime + ShipmentStatus status + Double[] accelerometerReadings } io.clause.demo.fragileGoods.DeliveryUpdate --|> org.accordproject.cicero.runtime.Request class io.clause.demo.fragileGoods.PayOut << (T,yellow) >> { + MonetaryAmount amount } io.clause.demo.fragileGoods.PayOut --|> org.accordproject.cicero.runtime.Response class io.clause.demo.fragileGoods.FragileGoodsClause << (A,green) >> { + AccordParty buyer + AccordParty seller + MonetaryAmount deliveryPrice + Double accelerationMin + Double accelerationMax + MonetaryAmount accelerationBreachPenalty + Duration deliveryLimitDuration + MonetaryAmount lateDeliveryPenalty } io.clause.demo.fragileGoods.FragileGoodsClause --|> org.accordproject.cicero.contract.AccordContract @enduml
bce7509242e220a7b791126e297fc03bc759c950
2099ea9bcbc7ae9c8c28d59f9e0fffbf478c1f03
/UML/vendor/yiisoft/yii2-imagine.puml
5f8ff8c442a9d69cd69cb2956baf1241637e210a
[]
no_license
adipriyantobpn/UML-diagram-for-some-PHP-packages
b3e3ed8e8898e4a5d56f0647cfbedaaa9d2dbdd5
0a9308fbd2d544c8f64a37cf9f11011edfc40ace
refs/heads/master
2021-08-19T19:24:34.948176
2017-11-27T07:48:10
2017-11-27T07:48:10
112,164,778
0
0
null
null
null
null
UTF-8
PlantUML
false
false
2,076
puml
@startuml skinparam handwritten true class yii.imagine.BaseImage { +{static}DRIVER_GD2 = "gd2" +{static}DRIVER_GMAGICK = "gmagick" +{static}DRIVER_IMAGICK = "imagick" +driver : array|string = [ \t0 => "~~NOT RESOLVED~~", \t1 => "~~NOT RESOLVED~~", \t2 => "gd2" ] +thumbnailBackgroundAlpha : string = 100 +thumbnailBackgroundColor : string = "FFF" -_imagine : Imagine.Image.ImagineInterface +{static}autorotate(image : string|resource|ImageInterface, color : string = 000000) : Imagine.Image.ImageInterface #{static}createImagine() : Imagine.Image.ImagineInterface +{static}crop(image : string|resource|ImageInterface, width : int, height : int, start : array = [ \t0 => 0, \t1 => 0 ]) : Imagine.Image.ImageInterface #{static}ensureImageInterfaceInstance(image : string|resource|ImageInterface) : Imagine.Image.ImageInterface +{static}frame(image : string|resource|ImageInterface, margin : int = 20, color : string = 666, alpha : int = 100) : Imagine.Image.ImageInterface +{static}getImagine() : Imagine.Image.ImagineInterface #{static}getThumbnailBox(sourceBox : Imagine.Image.BoxInterface, width : int, height : int) : Imagine.Image.BoxInterface +{static}setImagine(imagine : ImagineInterface) +{static}text(image : string|resource|ImageInterface, text : string, fontFile : string, start : array = [ \t0 => 0, \t1 => 0 ], fontOptions : array = []) : Imagine.Image.ImageInterface +{static}thumbnail(image : string|resource|ImageInterface, width : int, height : int, mode : string = "~~NOT RESOLVED~~") : Imagine.Image.ImageInterface +{static}watermark(image : string|resource|ImageInterface, watermarkImage : string|resource|ImageInterface, start : array = [ \t0 => 0, \t1 => 0 ]) : Imagine.Image.ImageInterface } class yii.imagine.Image { +{static}DRIVER_GD2 = "gd2" +{static}DRIVER_GMAGICK = "gmagick" +{static}DRIVER_IMAGICK = "imagick" } class yii.imagine.Image extends yii.imagine.BaseImage @enduml
0cdeb78cfa5fb6c5134cac48c2279686d288d9e6
78c44602df98a3f7d37a0772b178122f1ca61d8e
/stars/exceptions/exceptions.plantuml
db7e18ebf9440015726e92f9ab7564e241c3ab46
[]
no_license
shengjie98/CZ2002
138444b99d5670c77fd9b317ed87df7f3677fb0e
3cbb827177ecdf71e1e7a50fafad732f546bf91d
refs/heads/master
2023-01-19T08:19:07.200921
2020-11-23T05:39:40
2020-11-23T05:39:40
306,223,551
2
1
null
null
null
null
UTF-8
PlantUML
false
false
751
plantuml
@startuml title __EXCEPTIONS's Class Diagram__\n namespace stars.exceptions { class stars.exceptions.AlreadyRegisteredException { + AlreadyRegisteredException() + AlreadyRegisteredException() } } namespace stars.exceptions { class stars.exceptions.ExceedAUException { + ExceedAUException() + ExceedAUException() } } namespace stars.exceptions { class stars.exceptions.TimetableClashException { + TimetableClashException() + TimetableClashException() } } 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
debb27ea2c4d9400290b48ee1467b49898ee53a2
9df112709c13baff12bf06f22fe05d2aa1e12140
/client/src/Types/Structure/NewStructure/structure.puml
d7092ca6e35c1dcb0d53a4fb9c4e97adb09d15a6
[]
no_license
NikolayDemchenko/ReactTest
b0c8b85bf6819be3e297b0c938b98565edb70cc1
1b0e37c686d7787fb39b721db82eb6141d1f8193
refs/heads/master
2023-03-07T21:43:57.274728
2022-09-04T14:52:17
2022-09-04T14:52:17
223,725,473
0
0
null
2023-03-04T06:25:19
2019-11-24T10:18:24
TypeScript
UTF-8
PlantUML
false
false
2,219
puml
@startuml title Структура дерева данных interface "ICollection<T>" as ICollection { collection: any add(element:T ) remove( element: T) } interface "IData" as IData{ setData() getData() } interface "IRender" as IRender{ render() } ' Генератор модели class "ModelCreator" as ModelCreator{ element:MyReactElement render(...children) } ' Базовый компонент class "MyBaseComponent" as MyBaseComponent{ element:MyReactElement render(...children) } MyBaseComponent *-l- MyReactElement ' Элемент class "MyReactElement" as MyReactElement{ _id:string tag:string props:MyObject setData( tag:string , props: MyObject ) getData() } MyReactElement *-l- MyObject MyReactElement .r.|> IData ' Объект class "MyObject" as MyObject{ collection:{ [ key: string ] :any } add( key: string , value :any ) remove( key: string ) setData( collection:{ [ key: string ] :any } ) getData() } MyObject .l.|> IData MyObject .u.|> ICollection ' Инпут class "MyInput" as MyInput{ type: string setData( type: string ) getData() render() } ' Кнопка class "MyButton" as MyButton{ title: string setData( title: string ) getData() render() } ' Текст class "MyText" as MyText{ text: string setData( text: string ) getData() render() } MyText .l.|> IData MyText ..|> IRender MyText --|> MyBaseComponent ' Переменная class "MyVariable" as MyVariable{ key: MyText value: MyText | MyArray setData( name: MyText, value: MyText | MyArray ) getData() render() } MyVariable *-- MyText MyVariable ..|> IData MyVariable ..|> IRender MyVariable --|> MyBaseComponent ' Массив class "MyArray" as MyArray{ collection: { MyText | MyVariable | MyArray}[] add( element: MyText | MyVariable | MyArray) remove( element: MyText | MyVariable | MyArray) setData( array: { MyText | MyVariable | MyArray}[] ) getData() render() } MyArray ..|> ICollection MyArray ..|> IData MyArray ..|> IRender MyArray o-- MyArray MyArray o-l- MyVariable MyArray o-- MyText MyArray --|> MyBaseComponent @enduml
8d3c6ec0d4aad7fa1a4f69074596a1064f8742ed
63114b37530419cbb3ff0a69fd12d62f75ba7a74
/plantuml/Library/PackageCache/com.unity.textmeshpro@2.1.1/Scripts/Editor/TMPro_FontAssetCreatorWindow.puml
d244b26109bd0c3b7fd9b5ede0eff7a113d58196
[]
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
4,504
puml
@startuml class TMPro_FontAssetCreatorWindow { + {static} ShowFontAtlasCreatorWindow() : void + {static} ShowFontAtlasCreatorWindow(sourceFontFile:Font) : void + {static} ShowFontAtlasCreatorWindow(fontAsset:TMP_FontAsset) : void m_FontAssetCreationSettingsCurrentIndex : int = 0 <<const>> k_FontAssetCreationSettingsContainerKey : string = "TextMeshPro.FontAssetCreator.RecentFontAssetCreationSettings.Container" <<const>> k_FontAssetCreationSettingsCurrentIndexKey : string = "TextMeshPro.FontAssetCreator.RecentFontAssetCreationSettings.CurrentIndex" <<const>> k_TwoColumnControlsWidth : float = 335f m_GlyphPackingGenerationTime : double m_GlyphRenderingGenerationTime : double m_PointSizeSamplingMode : int m_CharacterSetSelectionMode : int m_CharacterSequence : string = "" m_OutputFeedback : string = "" m_WarningMessage : string m_CharacterCount : int m_IsRepaintNeeded : bool m_AtlasGenerationProgress : float m_AtlasGenerationProgressLabel : string m_RenderingProgress : float m_IsGlyphPackingDone : bool m_IsGlyphRenderingDone : bool m_IsRenderingDone : bool m_IsProcessing : bool m_IsGenerationDisabled : bool m_IsGenerationCancelled : bool m_IsFontAtlasInvalid : bool m_PointSize : int m_Padding : int = 5 m_AtlasWidth : int = 512 m_AtlasHeight : int = 512 m_IncludeFontFeatures : bool + OnEnable() : void + OnDisable() : void ON_RESOURCES_LOADED() : void CheckEssentialResources() : void + OnGUI() : void + Update() : void {static} ParseNumberSequence(sequence:string) : uint[] {static} ParseHexNumberSequence(sequence:string) : uint[] DrawControls() : void ClearGeneratedData() : void UpdateRenderFeedbackWindow() : void CreateFontAtlasTexture() : void SaveNewFontAsset(sourceObject:Object) : void SaveNewFontAssetWithSameName(sourceObject:Object) : void Save_Bitmap_FontAsset(filePath:string) : void Save_SDF_FontAsset(filePath:string) : void SaveFontCreationSettings() : FontAssetCreationSettings LoadFontCreationSettings(settings:FontAssetCreationSettings) : void SaveCreationSettingsToEditorPrefs(settings:FontAssetCreationSettings) : void DrawPreview() : void CheckForLegacyGlyphRenderMode() : void + GetKerningTable() : TMP_FontFeatureTable } class FontAssetCreationSettingsContainer { } enum FontPackingModes { Fast= 0, Optimum= 4, } class "List`1"<T> { } class "Dictionary`2"<T1,T2> { } EditorWindow <|-- TMPro_FontAssetCreatorWindow TMPro_FontAssetCreatorWindow --> "m_FontAssetCreationSettingsContainer" FontAssetCreationSettingsContainer TMPro_FontAssetCreatorWindow o-> "m_PackingMode" FontPackingModes TMPro_FontAssetCreatorWindow --> "m_ScrollPosition" Vector2 TMPro_FontAssetCreatorWindow --> "m_OutputScrollPosition" Vector2 TMPro_FontAssetCreatorWindow --> "m_SourceFontFile" Object TMPro_FontAssetCreatorWindow --> "m_SelectedFontAsset" TMP_FontAsset TMPro_FontAssetCreatorWindow --> "m_LegacyFontAsset" TMP_FontAsset TMPro_FontAssetCreatorWindow --> "m_ReferencedFontAsset" TMP_FontAsset TMPro_FontAssetCreatorWindow --> "m_CharactersFromFile" TextAsset TMPro_FontAssetCreatorWindow o-> "m_GlyphRenderMode" GlyphRenderMode TMPro_FontAssetCreatorWindow --> "m_FontAtlasTexture" Texture2D TMPro_FontAssetCreatorWindow --> "m_SavedFontAtlas" Texture2D TMPro_FontAssetCreatorWindow o-> "m_FontGlyphTable<Glyph>" "List`1" TMPro_FontAssetCreatorWindow o-> "m_FontCharacterTable<TMP_Character>" "List`1" TMPro_FontAssetCreatorWindow o-> "m_CharacterLookupMap<uint,uint>" "Dictionary`2" TMPro_FontAssetCreatorWindow o-> "m_GlyphLookupMap<uint,List<uint>>" "Dictionary`2" TMPro_FontAssetCreatorWindow o-> "m_GlyphsToPack<Glyph>" "List`1" TMPro_FontAssetCreatorWindow o-> "m_GlyphsPacked<Glyph>" "List`1" TMPro_FontAssetCreatorWindow o-> "m_FreeGlyphRects<GlyphRect>" "List`1" TMPro_FontAssetCreatorWindow o-> "m_UsedGlyphRects<GlyphRect>" "List`1" TMPro_FontAssetCreatorWindow o-> "m_GlyphsToRender<Glyph>" "List`1" TMPro_FontAssetCreatorWindow o-> "m_AvailableGlyphsToAdd<uint>" "List`1" TMPro_FontAssetCreatorWindow o-> "m_MissingCharacters<uint>" "List`1" TMPro_FontAssetCreatorWindow o-> "m_ExcludedCharacters<uint>" "List`1" TMPro_FontAssetCreatorWindow +-- FontAssetCreationSettingsContainer FontAssetCreationSettingsContainer --> "fontAssetCreationSettings<FontAssetCreationSettings>" "List`1" TMPro_FontAssetCreatorWindow +-- FontPackingModes @enduml
cf036f2e52783766bb256e9bd8b77d165eb63b7b
25ab86f4a1a2878082d02c1a125e00c48144226f
/DecnetListenerPlus/DecnetListener.puml
83fc65bb6f34d2d0b6e42237d9a98f061f70e496
[ "BSD-2-Clause" ]
permissive
jguillaumes/retroutils
bfedf7cff30a6e8db859d60132f1fcd85d8f2ec9
cd2ecbd096c2c59829000fdabd51bc5284f007f8
refs/heads/master
2020-06-03T09:15:48.416599
2015-11-05T20:48:27
2015-11-05T20:48:27
5,230,103
12
3
null
null
null
null
UTF-8
PlantUML
false
false
1,897
puml
@startuml DecnetListener "1" *-- "1" PacketHandler DecnetListener "1" *-- "1" PacketReader DecnetListener "1" *-- "1" PacketSaver DecnetListenerPcap "1" *-- "1" BasicHandler DecnetListenerPcap "1" *-- "1" PcapReader DecnetListenerPcap "1" *-- "1" FileSaver BasicHandler <|-- PacketHandler FileSaver <|-- PacketSaver PcapReader <|-- PacketReader DecnetListenerPcap <|-- DecnetListener class DecnetListener { -saveAll -cont -doCmds #packetHandler #packetReader #packetSaver +setPacketReader(PacketReader *) +setPacketHandler(PacketHandler *) +setSaveAll(boolean) +string getMsgError() +bool isSaving() +bool isCapturing() +void captureLoop() } class DecnetListenerPcap { +DecnetListenerPcap(string& iface, string &fileName); +~DecnetListenerPcap() } class PacketReader { #capturing #msgError +PacketReader() +~PacketReader() +string getMsgError() +bool isCapturing() +{abstract} BYTE *capurePacket(int &size) } class PcapReader { -*handle; +PcapReader(const std::string& iface); +~PcapReader(); -{static}string capFilter; +const BYTE *capturePacket(int &size); } class PacketSaver { +PacketSaver() +~PacketSaver() +bool isSaving() +string getMsgError() +savePacket(const BYTE *packet, int size) } class FileSaver { -string msgError -ofstream capfile -bool fileOpened +FileSaver(const std::string &filename) +~FileSaver() +savePacket(const BYTE *packet, int size) +bool isFileOpened() +bool virtual isSaving() +string getMsgError() } class PacketHandler { +PacketHandler() +~PacketHandler() +bool handleHello(const BYTE *packet) +bool handleInit(const BYTE *packet) +bool handleRouting(const BYTE *packet) +bool handleUnknown(const BYTE *packet) } class BasicHandler { +BasicHandler() +~BasicHandler() -string typeName(unsigned int nodetype); +bool handleHello(const BYTE* packet); } @enduml
120f806e0d14a0235b4f27f6b9141950af983e19
d97b774fd95a8e98e37c46ee1771f6e6e407a148
/uml/api/ParcelTrackingDataUpdatedMessage.puml
34e6cd513838f77d2d044465fefacfa370e62e0d
[]
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
1,280
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 ParcelTrackingDataUpdatedMessage [[ParcelTrackingDataUpdatedMessage.svg]] extends OrderMessage { id: String version: Long createdAt: DateTime lastModifiedAt: DateTime lastModifiedBy: [[LastModifiedBy.svg LastModifiedBy]] createdBy: [[CreatedBy.svg CreatedBy]] sequenceNumber: Long resource: [[Reference.svg Reference]] resourceVersion: Long type: String resourceUserProvidedIdentifiers: [[UserProvidedIdentifiers.svg UserProvidedIdentifiers]] deliveryId: String parcelId: String trackingData: [[TrackingData.svg TrackingData]] shippingKey: String } interface OrderMessage [[OrderMessage.svg]] { id: String version: Long createdAt: DateTime lastModifiedAt: DateTime lastModifiedBy: [[LastModifiedBy.svg LastModifiedBy]] createdBy: [[CreatedBy.svg CreatedBy]] sequenceNumber: Long resource: [[Reference.svg Reference]] resourceVersion: Long type: String resourceUserProvidedIdentifiers: [[UserProvidedIdentifiers.svg UserProvidedIdentifiers]] } @enduml
590f0be2887d25ebb00476c331a84c9930f6efb9
35232f13369f62da9ebc81f52a193dc34334fff2
/lab2&6/ATM_classes.puml
be1fa97ec6755c82e5e61608effa241d2a2a01b4
[]
no_license
Darwish98/OOP
848a73111b86dd155adfcb2be7dd0cdd1a7f4c23
e919703587571438b14ddbc396198d6d2f1a3c4f
refs/heads/master
2022-11-05T17:56:48.841682
2020-06-20T10:01:17
2020-06-20T10:01:17
273,674,741
0
0
null
null
null
null
UTF-8
PlantUML
false
false
704
puml
@startuml ATM API -- ATM : provides access API -- Account : Modifies Card -- User : Owns Card -- ATM: tool to acess class ATM { Verify Account Verify amount_Avalibilty Check reciver_acconut_valdility request amount transfer money Print options() scan options() Print balance() scan amount() return amount() scan reciver() } class API { Verify Card Accept Account } class Account { Accept Card return balance Accept amount Accept reciver_acconut } class User { Inserts Card Inserts PIN Inserts Option Inserts amount Inserts reciver Takes Card } class Card { Card number Card chip } @enduml
7cee6f8c91b65930a2746b2355c786f88f496b06
ed006f8e98c20dfd1fe16065e9037b6c8efc511d
/doc/design/diagrams/logging/logging_classes.puml
df6022553eb73dd30d724c3f729528192d33e67e
[ "Apache-2.0", "BSD-3-Clause", "MIT", "LicenseRef-scancode-generic-export-compliance" ]
permissive
phongt/iceoryx
939343855cc4bbe1610ce7c7ed504539a943f795
efc697cf67a8bc8aedf3d123e2c9df582a5aeb83
refs/heads/master
2023-07-26T03:36:03.492954
2023-07-19T08:29:19
2023-07-19T08:29:19
237,723,029
0
0
Apache-2.0
2023-07-21T19:33:59
2020-02-02T05:23:34
C++
UTF-8
PlantUML
false
false
2,548
puml
@startuml package building_blocks <<Frame>> { enum LogLevel { OFF = 0, FATAL, ERROR, WARN, INFO, DEBUG, TRACE, } class Logger <BaseLogger> { + {static} void init(const LogLevel logLevel = LogLevelFromEnvOr(LogLevel::Info)) + {static} Logger& get() + {static} void setActiveLogger(Logger* newLogger) - void initLoggerInternal(LogLevel logLevel) - {static} Logger& activeLogger(Logger* newLogger = nullptr) } class ConsoleLogger { + {static} LogLevel getLogLevel() + {static} void setLogLevel(LogLevel logLevel) # ConsoleLogger() # {abstract} void initLogger(LogLevel logLevel) # {abstract} void createLogMessageHeader(const char* file, const int line, const char* function, LogLevel logLevel) # {abstract} void flush() # LogBuffer getLogBuffer() const # void assumeFlushed() # void logString(const char* message) # void logBool(const bool value) # void logDec(const T value) with T being arithmetic types # void logHex(const T value) with T being unsigned integers, floats or pointer # void logOct(const T value) with T being unsigned integers } } package testing <<Frame>> { class TestingLogger { + {static} void init() + {static} uint64_t getNumberOfLogMessages() + {static} std::vector<std::string> getLogMessages() + {static} bool doesLoggerSupportLogLevel(const LogLevel logLevel) + void clearLogBuffer() + void printLogBuffer() - void TestingLogger() - void flush() } } class LogHex <T> {} class LogOct <T> {} class LogStream { + LogStream(const char* file, const int line, const char* function, LogLevel logLevel) + LogStream(Logger& logger, const char* file, const int line, const char* function, LogLevel logLevel) + LogStream(const char* file, const int line, const char* function, LogLevel logLevel, bool doFlush) + LogStream& self() + LogStream& operator<<(const char* cstr) + LogStream& operator<<(const std::string& str) + LogStream& operator<<(const bool val) + LogStream& operator<<(const T value) with T being arithmetic types + LogStream& operator<<(const LogHex<T> val) with T being integers and floats + LogStream& operator<<(const LogHex<const void * const> val) + LogStream& operator<<(const LogOct<T> val) with T being integers + LogStream& operator<<(const Callable& c) with signature 'LogStream&(LogStream&)' - void flush() } ConsoleLogger <|-- Logger : via BaseLogger Logger <|-- TestingLogger Logger <.. LogStream : <<friend>> LogStream ..> LogHex : <<friend>> LogStream ..> LogOct : <<friend>> @enduml
58472fc18c8a2de1d335f59920b8f249fff1dcc6
98c049efdfebfafc5373897d491271b4370ab9b4
/docs/SPRINT_3/UC43-Consult_order_status/MD.puml
eeda2d5e91a5bcf019c154284d6f52b877919483
[]
no_license
antoniodanielbf-isep/LAPR3-2020
3a4f4cc608804f70cc87a3ccb29cbc05f5edf0f3
7ee16e8c995aea31c30c858f93e8ebdf1de7617f
refs/heads/main
2023-05-27T14:42:05.442427
2021-06-20T18:09:59
2021-06-20T18:09:59
378,709,095
0
0
null
null
null
null
UTF-8
PlantUML
false
false
693
puml
@startuml skinparam classAttributeIconSize 0 hide methods left to right direction class Client { -Integer credits } class Delivery { -Integer id -Integer nif -float distanceMeters -float timeMinutes -float energyCostWH } class OrderState { -Integer id -String designation } class User{ -String email -int NIF -String name -String password } class UserSession { } /'------------------------------------------------------------------------------------ '/ UserSession "1" -- "1" User: has > Client "1" -- "1" User: acts like > Client "1" -- "*" Delivery: requests > Delivery "1" -- "1..*" Order: delivers > Order "1" -- "1" OrderState: has > @enduml
ff14903955c6d90520b564ae896fe63731740d67
56c20102c13a8954fc972d28603045a4f2f2087f
/src/main/java/com/liyi/design/pattern/structure/component/_Composite.puml
191f1430019ffe02bf8f35adcfe73ee66d946c77
[]
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
727
puml
@startuml abstract class MyComponent{ String des; Stirng name; public MyComponent(String des,String name); get(); set(); void print(); void add(); boolean remove(); } class University{ public University(String des,Stirng name); List<MyComponent> res; void print(); void add(); boolean remove(); } class College{ public College(String des,Stirng name); List<MyComponent> res; void print(); void add(); boolean remove(); } class Department{ public Department(String des,Stirng name); void print(); } MyComponent <|-- University MyComponent <|-- College MyComponent <|-- Department University <--o College College <--o Department @enduml
c41d27637ee5fc11b9b34d738539bbc6a6411a71
f38b56d30f1d9ff98f300681f94aae376751472d
/src/main/java/com/_520/facade/facade.puml
848baf235b38f1292b2be3e73c6d07195b93ec4d
[]
no_license
Werdio66/DesignPatterns
bc6e0a7d3d4f06d5aedbcb50f62c20e38e2b04c0
93f599521d86236b02307aba8f1b198856985511
refs/heads/master
2020-09-11T14:18:25.430217
2020-04-22T13:19:19
2020-04-22T13:19:19
222,093,892
0
0
null
null
null
null
UTF-8
PlantUML
false
false
759
puml
@startuml note " 桥接模式 " as I class FileReader{ +read(String fileNameSrc) : String } note bottom : 读取文件内容 class FileWriter{ +write(String encryptText, String fileName) : void } note bottom : 将加密后的文件保存 class CipherMachine{ +encrypt(String plainText) : String } note bottom : 对文件内容进行加密 class EncryptFacade{ -fileReader : FileReader -fileWriter : FileWriter -cipherMachine : CipherMachine +fileEncrypt(String fileNameSrc, String fileNameDesc) : void } note right : 外观类:负责统一处理 读取文件,\n加密,保存文件 操作 EncryptFacade *-- FileReader EncryptFacade *-- FileWriter EncryptFacade *-- CipherMachine class Client Client --> EncryptFacade @enduml
7dea02939748ff2a6b7aa867e291123b162fce51
c85d255daca76e76b7073e0a288849be195b214e
/app/src/main/java/com/architectica/socialcomponents/main/search/search.plantuml
b12f4a992e1540956649b8c9710e4ec17dfa7841
[ "Apache-2.0" ]
permissive
AryaAshish/Archcrony
75bb4646d938b2da11721aff0dde11ad49f4a357
3cf972c48e900d513d53ebed857373741c1969b5
refs/heads/master
2020-04-29T12:34:32.168647
2019-08-01T12:56:05
2019-08-01T12:56:05
176,141,477
1
3
Apache-2.0
2019-08-01T12:56:06
2019-03-17T18:16:12
Java
UTF-8
PlantUML
false
false
1,947
plantuml
@startuml title __SEARCH's Class Diagram__\n namespace com.architectica.socialcomponents { namespace main.search { class com.architectica.socialcomponents.main.search.SearchActivity { {static} - TAG : String - searchView : SearchView - tabLayout : TabLayout - viewPager : ViewPager + createPresenter() + onCreateOptionsMenu() # onCreate() - initContentView() - initSearch() - initTabs() - search() } } } namespace com.architectica.socialcomponents { namespace main.search { class com.architectica.socialcomponents.main.search.SearchPresenter { - activity : Activity - currentUserId : String + search() ~ SearchPresenter() } } } namespace com.architectica.socialcomponents { namespace main.search { interface com.architectica.socialcomponents.main.search.SearchView { } } } namespace com.architectica.socialcomponents { namespace main.search { interface com.architectica.socialcomponents.main.search.Searchable { {abstract} + search() } } } com.architectica.socialcomponents.main.search.SearchActivity .up.|> com.architectica.socialcomponents.main.search.SearchView com.architectica.socialcomponents.main.search.SearchActivity -up-|> com.architectica.socialcomponents.main.base.BaseActivity com.architectica.socialcomponents.main.search.SearchActivity o-- com.architectica.socialcomponents.adapters.viewPager.TabsPagerAdapter : tabsAdapter com.architectica.socialcomponents.main.search.SearchPresenter -up-|> com.architectica.socialcomponents.main.base.BasePresenter 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
1438b793df51d6308c53b5b5ede80122c4b011f7
f0f016da328b1e084f18b2a73f0a6c1f479f22b6
/app/src/main/decorator_stream.puml
7561c1075303b31efdbbb8cd5c6d0ef0c0c2f8c5
[]
no_license
sofina/MyDemo
c4eb12c650cff4bf787e9f71a535cf14894b8bc8
28fcebfa18479b517eb679e4995a0a5085d85701
refs/heads/master
2020-04-08T21:43:34.045813
2018-12-05T04:22:22
2018-12-05T04:22:22
159,755,979
0
0
null
null
null
null
UTF-8
PlantUML
false
false
556
puml
@startuml class FilterOutputStream class FileOutputStream class BufferedOutputStream class DataOutputStream interface OutputStream interface OutputStream{ +write() } class FileOutputStream{ +write() } class FilterOutputStream{ FilterOutputStream(OutputStream outputStream) +write() } class BufferedOutputStream{ //增加缓冲功能 } class DataOutputStream{ +writeInt(int c) } OutputStream <|-.- FileOutputStream OutputStream <|-.- FilterOutputStream FilterOutputStream <|-- BufferedOutputStream FilterOutputStream <|-- DataOutputStream @enduml
572847cb897afe130cd74242923db7b41c70a1e3
7b13715b0b972ea52b88ad8097cc8cb7b41f2bb1
/doc/commusica/cores/cores_uml.puml
3b00ac26cc7b29bef9d7b5f8f59db7a47831fc44
[]
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
489
puml
@startuml interface ICore { + sendUnicast(hostname: InetAddress, message: String): void + sendMulticast(String msg): void } class Core { + {static} execute(command: String , args: ArrayList<Object>): String } abstract AbstractCore { + execute(command: String , args: ArrayList<Object>): String } class ClientCore class ServerCore AbstractCore <|-- ClientCore AbstractCore <|-- ServerCore ClientCore .|> ICore ICore <|. ServerCore Core --> "1" AbstractCore @enduml
c639e1b73bd74eea3cddbb635cb35b3685650d12
b9c36353c6a41bd1a14f0aee38bceb1e3c2a1e9f
/app/src/main/java/com/cleanup/todoc/di/di.plantuml
384a5a154224915cfd9d50bda4d6aaf5be848136
[]
no_license
Pierre-44/P5-todoc
60fd1fd1184dababd0db4d018c5d7d80ce4fe4fd
a0d19cde111de6aaf62c4fed6336f04a41ff3261
refs/heads/master
2023-08-12T19:08:47.781452
2021-10-15T15:01:12
2021-10-15T15:01:12
401,260,991
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,573
plantuml
@startuml title __DI's Class Diagram__\n namespace com.cleanup.todoc { namespace di { class com.cleanup.todoc.di.TodocApplication { {static} + sTodocContainer : TodocContainer + onCreate() } } } namespace com.cleanup.todoc { namespace di { class com.cleanup.todoc.di.TodocContainer { + TodocContainer() + getProjectRepository() + getTaskRepository() } } } namespace com.cleanup.todoc { namespace di { class com.cleanup.todoc.di.ViewModelFactory { {static} - factory : ViewModelFactory - mExecutor : Executor + create() {static} + getInstance() - ViewModelFactory() } } } com.cleanup.todoc.di.TodocApplication -up-|> android.app.Application com.cleanup.todoc.di.TodocContainer o-- com.cleanup.todoc.model.repository.ProjectRepository : mProjectRepository com.cleanup.todoc.di.TodocContainer o-- com.cleanup.todoc.model.repository.TaskRepository : mTaskRepository com.cleanup.todoc.di.ViewModelFactory .up.|> androidx.lifecycle.ViewModelProvider.Factory com.cleanup.todoc.di.ViewModelFactory o-- com.cleanup.todoc.model.repository.ProjectRepository : projectRepository com.cleanup.todoc.di.ViewModelFactory o-- com.cleanup.todoc.model.repository.TaskRepository : taskRepository 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
3a580828c937240674072b13551a955b922966d7
02a364d6cc772a9bf2e72d02dbecca74ac14d335
/eCommerce-Core-2/DPLRef.eCommerce/plantuml/DPLRef.eCommerce.Client.Admin/BaseUICommand.puml
91810868a068673843a43dcca350bc41dd00da79
[ "BSD-3-Clause" ]
permissive
noelmartens/TransitionAcademy
4e02379d234aa4859a497ee2846420f4c55b9e12
3b95a5c737ab7b1497b77d455cf64caa73f69e1f
refs/heads/master
2023-06-14T05:25:35.514249
2021-07-02T19:40:29
2021-07-02T19:40:29
362,512,351
0
0
null
null
null
null
UTF-8
PlantUML
false
false
172
puml
@startuml abstract class BaseUICommand { + BaseUICommand(ambientContext:AmbientContext) + {abstract} Name : string <<get>> + <<virtual>> Run() : void } @enduml
c148d28f703303104c0cdccfc5c72a0cf1b4cfa8
c60a8fb67fedcbae08755d8125d97468a8aca24d
/Projet de UML Reverse/documents/trash/DAL/DiagrammesVersion trash/Modèle de donnée/sequenceVisiteur.puml
a3a9302aa4b76520e434e60e0630fb3f1e295e47
[ "Apache-2.0" ]
permissive
BelkhousNabil/Projets-Informatiques
6be114f6a8dbcf978ef67daffb1394ee023255cf
47ffd6526bb66ae263c34725fe2b515b751127bb
refs/heads/master
2021-01-17T07:12:08.050466
2017-02-26T17:03:56
2017-02-26T17:03:56
54,788,129
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,004
puml
@startuml package sequence.visitor { ' -------------------------------- umlreverse.model.diagram.sequence.visitor interface SequenceVisitor { +visit(SequenceDiagram instance) : void +visit(CreateDestroyMessage instance) : void +visit(SynchroneMessage instance) : void +visit(AlternativeBlock instance) : void +visit(LoopBlock instance) : void +visit(IterativeBlock instance) : void +visit(StrictBlock instance) : void +visit(ParallelBlock instance) : void +visit(ASynchroneMessage instance) : void +visit(CreationMessage instance) : void +visit(LostMessage instance) : void +visit(FindMessage instance) : void: } class SaveStyleSequenceVisitor implements SequenceVisitor class SavePlantUmlSequenceVisitor implements SequenceVisitor class ToViewSequenceVisitor implements SequenceVisitor { +getDiagramMenu() : ISequenceDiagramMenu +getDiagramEditor() : ISequenceDiagramEditor } } ' --------------------------------------------------------- fin package visitor @enduml
80f4eaf05de0d2eb5612175fce30eee0694e2a71
d5cd4002a5839acc484a6186263702b522d3491e
/pr4/src/com/company/utils/menu/menu.plantuml
95a944a1142ae67aaed36f76326e48a396c4f809
[]
no_license
shevchenkona19/javaIPZ-31Shevchenko
bf8b84dc1d76eaf87c0d7a0265c6524233273efe
46571bb3b2ca95526332db55f4ab0d093f41fcba
refs/heads/master
2020-04-09T20:23:29.658468
2018-12-05T20:09:51
2018-12-05T20:09:51
160,571,977
0
0
null
null
null
null
UTF-8
PlantUML
false
false
760
plantuml
@startuml title __MENU's Class Diagram__\n package com.company { package com.company.utils.menu { class Menu { - options : Option[] + Menu() + getWorkerByIndex() + toString() } } } package com.company { package com.company.utils.menu { class Option { - name : String + Option() + Option() + getName() + setName() + getMenuOption() + setMenuOption() } } } Option o-- IMenuOption : menuOption 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
afc774527fe3c80d526d1f5244709a7ede091dfd
b934d388828e4bd903d22c407ac969517265021d
/docs/classes.puml
7c7e514f9a067a8e9393e77acdb554e7e480167e
[]
no_license
omjadas/distributed-banking
e165857e7b6ca9d0ecb4d9975d0fd9aef42037f2
1f2c246f80212a52da94b382272cac617319859f
refs/heads/master
2022-08-29T10:12:17.109915
2020-05-27T11:35:38
2020-05-27T11:35:38
254,033,826
0
0
null
null
null
null
UTF-8
PlantUML
false
false
6,851
puml
@startuml P2P Bank class Main { + Main(int port) + {static} void main(String[] args) + void run() } class Bank { + Bank(java.util.UUID id, int port) + void startChandyLamport() + void handleChandyLamportMarker(java.util.UUID remoteBankId, Snapshot markerMessage, Snapshot currentState) + void resetChandyLamport() + void connect(String hostname, int port) + void open(String accountId) + void registerBank(java.util.UUID bankId, RemoteBank bank) + void removeBank(java.util.UUID bankId) + void registerRemoteAccount(String accountId, RemoteBank bank) + void remoteRemoteAccount(String accountId) + void deposit(String accountId, int amount) + void withdraw(String accountId, int amount) + void transfer(String sourceId, String destId, int amount) + void printBalance(String accountId) + int getBalance(String accountId) + Set<String> getLocalAccountIds() + Set<String> getRemoteAccountIds() + java.util.UUID getBankId() + HashMap<String, Account> getLocalAccounts() + HashMap<UUID, RemoteBank> getRemoteBanks() + Snapshot takeSnapshot() + void broadcastFutureTick(long tick) + void broadcastDummyMsg() + void sendSnapshotToInitiator() + void sendWhiteMessageToInitiator(Message whiteMessage) + void printSnapshots(Collection<Snapshot> snapshots) + void printWhiteMessages(Collection<Message> whiteMessages) + Set<Thread> getRemoteBankThreads() + MAlgorithm getmAlgorithm() + void run() } class ChandyLamport { - boolean stateRecorded - boolean finished + void recordState(Snapshot currentState) + void broadCastMarker() + void startAlgorithm (Snapshot currentState) + void resetAlgorithm() + void eraseSnapshot() + HashMap<UUID, Snapshot> getStates() + boolean handleReceivedMarker(UUID remoteBankId, Snapshot receivedMarker, Snapshot currentState) } enum Command { REGISTER REGISTER_RESPONSE DEPOSIT WITHDRAW GET_BALANCE GET_BALANCE_RESPONSE TAKE_SNAPSHOT ACKNOWLEDGEMENT DUMMY SNAPSHOT WHITE_MESSAGE CHANDY_LAMPORT_MARKER CHANDY_LAMPORT_RESET } class InitiatorInfo { - long futureTick + InitiatorInfo(java.util.UUID initiatorId, long furuteTick) + UUID getInitiatorId() + long getFutureTick() } class MAlgorithm { + {static} long BROADCAST_INTERVAL + {static} int SEND + {static} int RECEIVE - HashMap<UUID, Boolean> acknowledgements + MAlgorithm(Bank bank) + void initSnapshot() + void initAcknowledgementMap() + void receiveAcknowledgement(java.util.UUID processId) + void notifyInitAck() + void updateCounter(int count) + void updateNumSnapshot() + Bank getBank() + InitiatorInfo getInitiatorInfo() + void setInitiatorInfo() + Set<Snapshot> getGlobalSnapshots() + Set<Message> getWhiteMessages() + int getGlobalCounter() + int setGlobalCounter(int globalCounter) } class TerminationDetector { + void checkAlgorithmTermination() + void notifyNewMsg() + void run() } class Message { - long futureTick - ArrayList<String> accountIds - int amount - int msgCounter; + Command getCommand() + java.util.UUID getSourceId() + VectorClock getVectorClock() + ArrayList<String> getAccountIds() + int getAmount() + int setAmount() + void addAccountId(String id) + void addAccountIds(Set<String> ids) + void setFutureTick(long futureTick) + Snapshot getSnapshot() + void setSnapshot(Snapshot snapshot) + Message getWhiteMessage() + void setWhiteMessage(Message whiteMessage) + int getMsgCounter() + void setMsgCounter(int msgCounter) } class RemoteBank { - Set<String> accountIds + RemoteBank(String hostname, int port, Bank bank) + RemoteBank(java.net.Socket socket, Bank bank) + void register() + void deposit(String accountId, int amount) + void withdraw(String accountId, int amount) + void printBalance(String accountId) + void sendFutureTick(long tick) + void sendDummyMsg() + void sendSnapshotToInitiator(Snapshot snapshot) + void sendWhiteMessageToInitiator(Message whiteMessage) + void sendChandyLamportMarker(Snapshot snapshot) + void resetChandyLamportAlgorithm() + void process(String input) + void checkTakeSnapshot(Message message) + void checkFwdWhiteMessage(Message message) + UUID getBankId() + void setBankdId(UUID bankId) + void run() } class Account { - String accountId - int balance + Account(String accountId) + Account(String accountId, int balance) + void deposit(int amount) + void withdraw(int amount) + String getAccountId() + int getBalance() } class Snapshot { + Snapshot(java.util.UUID bankId, Collection<Account> accounts) + java.util.UUID getBankId() + Collection<Account> getAccounts() } class UnknownAccountException { - {static} long serialVersionUID + UnknownAccountException(String message) } class VectorClock { - HashMap<java.util.UUID, Long> vc + VectorClock getInstance() + void tick(java.util.UUID pid) + void set(java.util.UUID pid, Long ticks) + long findTick(java.util.UUID pid) + void merge(VectorClock other) } interface java.lang.Runnable Bank --* "1" java.net.ServerSocket : - serverSocket Bank --* "1" java.util.UUID : - bankId Bank --* "*" Account : - localAccounts Bank --* "*" java.lang.Thread : - remoteBankThreads Bank --* "*" RemoteBank : - remoteAccounts Bank --* "*" RemoteBank : - remoteBanks Bank ..|> java.lang.Runnable Bank --* "1" ChandyLamport : - chandyLamportAlgorithm Bank --* "1" MAlgorithm : - mAlgorithm ChandyLamport --* "1" java.util.UUID : - bankId ChandyLamport --* "1" Bank : - bank ChandyLamport --* "1" Snapshot : - bankState ChandyLamport --* "*" Snapshot : - otherStates Main --* "1" Bank : - bank Main ..|> java.lang.Runnable MAlgorithm --* "1" Bank : - bank MAlgorithm --* "1" InitiatorInfo: - initiatorInfo MAlgorithm --* "*" Snapshot : - globalSnapshots MAlgorithm --* "*" Message : - whiteMessages MAlgorithm --* "1" TerminationDetector : - terminationDetector TerminationDetector --+ MAlgorithm Message --* "1" Command : - command Message --* "1" java.util.UUID : - sourceId Message --* "1" VectorClock : - vectorClock Message --* "1" Snapshot : - snapshot Message --* "1" Message : - whiteMessage RemoteBank --* "1" java.net.Socket : - socket RemoteBank --* "1" java.io.BufferedWriter : - out RemoteBank --* "1" java.io.BufferedReader : - in RemoteBank --* "1" Bank : - bank RemoteBank --* "1" java.util.UUID : - bankId RemoteBank ..|> java.lang.Runnable Snapshot --* "1" java.util.UUID : - bankId Snapshot --* "*" Account : - accounts VectorClock --* "1" VectorClock : - vectorClock {static} @enduml
425d6fa02de8e4699bad90ab005d154ed84b1b2c
714f9744f76cc2af51f47b4dbe9fd7b38e616ce4
/doc/uml/class-versjonsregime.puml
34e6c96fe9e1fe57bc5cd787366772b579691fb5
[]
no_license
sopra-steria-norge/pharmacy.no
3082b724b7c93b327a8ad884d9fee2ad40a92321
b0d3e8ee3d6a358a96b6401bd23fc789ad865882
refs/heads/master
2021-07-18T19:51:32.802750
2017-10-24T22:10:24
2017-10-24T22:14:58
null
0
0
null
null
null
null
UTF-8
PlantUML
false
false
724
puml
class ApiControllerV1 interface APIv1 APIv1 <|.. ApiControllerV1 package V1 { class Legemiddel { NavnFormStyrke Unødigfelt } } package V1oppdatert { class Legemiddel' { NavnFormStyrke Varenummer Unødigfelt } } note top of Legemiddel': Nytt outputfelt\ner bakoverkompatibelt V1 <.. APIv1 V1oppdatert <.. APIv1 class ApiControllerV2 interface APIv2 APIv2 <|.. ApiControllerV2 package V2 { class Legemiddel'' { NavnFormStyrke Varenummer <strike>Unødigfelt</strike> } } note top of Legemiddel'': Fjerning av outputfelt\nkrever ny versjon V2 <.. APIv2 class Service ApiControllerV1 -down- Service ApiControllerV2 -down- Service
8f04257ff145a013048df497d0bbef74a4df9485
c2b83ffbeb0748d1b283e093f0b987bdbc3d27ac
/docs/uml-class-diagrams/display01/test/DisplayGpsReceiverImplementationTests/DisplayGpsReceiverImplementationTests.puml
977812d1594a2dbbabeb57a2d8ab345c50643576
[]
no_license
Slackjaw1431/csi-3370-software-project
79666760712ee4625bea3daea48c7072e7826465
af44ad1066695e4f9eff74eda79cebef3ad2b1af
refs/heads/main
2023-03-23T23:03:17.404846
2021-03-17T18:52:02
2021-03-17T18:52:02
null
0
0
null
null
null
null
UTF-8
PlantUML
false
false
433
puml
@startuml DisplayGpsReceiverImplementationTests package edu.oakland.test.display01 { class DisplayGpsReceiverImplementationTests { + void displayGpsManagerIsNotNull() + void measureGpsSignalStrengthSatelliteSignalIsNotNull() + void measureSignalSatelliteSignalIsNotNull() + void measureGpsSignalStrengthSatelliteInIsSignalOut() + void measureSignalSignalInIsSignalOut() } } @enduml
12222d8d7e98656c7fea496f15c6b8e5de83ebbe
da311f3c39421f5ff2277bd403b80cb0587c8abc
/Serveur/diagrammes/class_diagram_fragments/class_diagram_utilisateur.puml
74ff2f72a1baf0e22242d05ab5f041d408236aa6
[]
no_license
Reynault/Pipop-Calendar
380059bcbaa89d464b9ddf7c5661c924bb47b2ab
5d2b5e28f604cd67964b316517c80c490ce5692e
refs/heads/master
2021-06-09T14:35:16.647870
2019-03-29T14:22:13
2019-03-29T14:22:13
173,611,806
8
3
null
2021-04-29T09:40:03
2019-03-03T18:12:28
JavaScript
UTF-8
PlantUML
false
false
3,411
puml
@startuml skinparam class { BackgroundColor AliceBlue ArrowColor DarkTurquoise BorderColor Turquoise } skinparam stereotypeCBackgroundColor DarkTurquoise skinparam stereotypeIBackgroundColor Magenta skinparam stereotypeABackgroundColor Yellow package "serveur.mycalendar.modele" #F0F0F0 { package utilisateur #E0E0E0 { class GroupeAmi { {field}private int idG {field}private String email {field}private String nomGroupe {field}private String[] amis public GroupeAmi(int idG, String em, String nomG) public GroupeAmi(ArrayList<String> amis, String nomG) {static}public static ArrayList<GroupeAmi> find(String nomG) public boolean save() {static}public static GroupeAmi find(int idG) {static}public static Boolean delete(int idGroupe) public boolean saveNom() public boolean saveUsers(ArrayList<String> u) public boolean deleteUser(String email) public void setNomGroupe(String nomGroupe) } class Invitation { {field}protected int idE public Invitation(int id, String email, String type, String message, Date time, int idE) public boolean save() {static}public static ArrayList<Invitation> find(String Email) public void update(Observable observable, Object o) } abstract class Notif { {field}protected int idN {field}protected String email {field}protected String type {field}protected String messageN public Notif(int id, String email, String type, String message, Date time) } class NotifiCalendrier { public NotifiCalendrier(int id, String email, String type, String message, Date time) public void update(Observable o, Object arg) } class NotifiEvenement { {field}protected int idE public NotifiEvenement(int id, String email, String type, String message, Date time, int idE) public boolean save() {static}public static ArrayList<NotifiEvenement> find(String Email) public void update(Observable observable, Object o) } class Utilisateur { {field}private email {field}private nom {field}private tmpPassword {field}private password {field}private prenom public Utilisateur(String email, String nom, String password, String prenom) {static}public static boolean verifierConnexion(String email, String password) {static}public static int verifierInscription(String email, String mdp, String prenom, String nom) {static}public static int ajouterAmi(String email1, String email2) {static}public static ArrayList<Calendrier> findCalendriers(String email) public boolean save() {static}public static Utilisateur find(String nom) {static}public static ArrayList<Utilisateur> find(String nom, String prenom) public String getEmail() public String getNom() public String getPrenom() {static}public static boolean deleteAmis(String user, String amis) {static}public static void invitUtilisateurEvenement(String email, int idEvent) public void setNom(String nom) public void setTmpPassword(String tmp_password) public void setPassword(String password) public void setPrenom(String prenom) } } interface Observer { } Invitation --|> Notif Notif ..|> Observer Notif --"1" Date NotifiCalendrier --|> Notif NotifiEvenement --|> Notif } @enduml
cab1a3eb5972c442f77b98160bea559b3ae65534
41e335a2ded65f95ece1c413fe9d465df1d198b4
/lib/DevJava/src/main/java/dev/utils/common/encrypt/encrypt.plantuml
49fe7aa133363163aa8c1583e7bae478f32cd3f7
[ "Apache-2.0" ]
permissive
tulensayyj/DevUtils
ea40e897de72b88591cc1f1cea798eb74175eda8
3bc39eaf343c811270bc01e223cd37e80db9e04c
refs/heads/master
2022-11-27T05:08:28.115620
2020-07-27T13:24:50
2020-07-27T13:24:50
281,569,859
0
0
Apache-2.0
2020-07-22T03:59:24
2020-07-22T03:59:23
null
UTF-8
PlantUML
false
false
6,853
plantuml
@startuml title __ENCRYPT's Class Diagram__\n namespace dev.utils { namespace common { namespace encrypt { class dev.utils.common.encrypt.AESUtils { {static} - TAG : String {static} + decrypt() {static} + encrypt() {static} + initKey() - AESUtils() } } } } namespace dev.utils { namespace common { namespace encrypt { class dev.utils.common.encrypt.CRCUtils { {static} - TAG : String {static} + getCRC32() {static} + getCRC32ToHexString() {static} + getFileCRC32() - CRCUtils() } } } } namespace dev.utils { namespace common { namespace encrypt { class dev.utils.common.encrypt.DESUtils { {static} - TAG : String {static} + decrypt() {static} + encrypt() {static} + getDESKey() - DESUtils() } } } } namespace dev.utils { namespace common { namespace encrypt { class dev.utils.common.encrypt.EncryptUtils { {static} - TAG : String {static} + decrypt3DES() {static} + decrypt3DESToBase64() {static} + decrypt3DESToHexString() {static} + decryptAES() {static} + decryptAESToBase64() {static} + decryptAESToHexString() {static} + decryptDES() {static} + decryptDESToBase64() {static} + decryptDESToHexString() {static} + decryptRSA() {static} + decryptRSAToBase64() {static} + decryptRSAToHexString() {static} + encrypt3DES() {static} + encrypt3DESToBase64() {static} + encrypt3DESToHexString() {static} + encryptAES() {static} + encryptAESToBase64() {static} + encryptAESToHexString() {static} + encryptDES() {static} + encryptDESToBase64() {static} + encryptDESToHexString() {static} + encryptHmacMD5() {static} + encryptHmacMD5ToHexString() {static} + encryptHmacMD5ToHexString() {static} + encryptHmacSHA1() {static} + encryptHmacSHA1ToHexString() {static} + encryptHmacSHA1ToHexString() {static} + encryptHmacSHA224() {static} + encryptHmacSHA224ToHexString() {static} + encryptHmacSHA224ToHexString() {static} + encryptHmacSHA256() {static} + encryptHmacSHA256ToHexString() {static} + encryptHmacSHA256ToHexString() {static} + encryptHmacSHA384() {static} + encryptHmacSHA384ToHexString() {static} + encryptHmacSHA384ToHexString() {static} + encryptHmacSHA512() {static} + encryptHmacSHA512ToHexString() {static} + encryptHmacSHA512ToHexString() {static} + encryptMD2() {static} + encryptMD2ToHexString() {static} + encryptMD2ToHexString() {static} + encryptMD5() {static} + encryptMD5File() {static} + encryptMD5File() {static} + encryptMD5FileToHexString() {static} + encryptMD5FileToHexString() {static} + encryptMD5ToHexString() {static} + encryptMD5ToHexString() {static} + encryptMD5ToHexString() {static} + encryptMD5ToHexString() {static} + encryptRSA() {static} + encryptRSAToBase64() {static} + encryptRSAToHexString() {static} + encryptSHA1() {static} + encryptSHA1ToHexString() {static} + encryptSHA1ToHexString() {static} + encryptSHA224() {static} + encryptSHA224ToHexString() {static} + encryptSHA224ToHexString() {static} + encryptSHA256() {static} + encryptSHA256ToHexString() {static} + encryptSHA256ToHexString() {static} + encryptSHA384() {static} + encryptSHA384ToHexString() {static} + encryptSHA384ToHexString() {static} + encryptSHA512() {static} + encryptSHA512ToHexString() {static} + encryptSHA512ToHexString() {static} + hashTemplate() {static} + hmacTemplate() {static} + rsaTemplate() {static} + symmetricTemplate() - EncryptUtils() {static} - base64Decode() {static} - base64Encode() } } } } namespace dev.utils { namespace common { namespace encrypt { class dev.utils.common.encrypt.EscapeUtils { {static} - BYTE_VALUES : byte[] {static} - HEX : String[] {static} + escape() {static} + unescape() - EscapeUtils() } } } } namespace dev.utils { namespace common { namespace encrypt { class dev.utils.common.encrypt.MD5Utils { {static} - TAG : String {static} + getFileMD5() {static} + getFileMD5() {static} + getFileMD5ToHexString() {static} + getFileMD5ToHexString() {static} + md5() {static} + md5() {static} + md5Upper() {static} + md5Upper() - MD5Utils() } } } } namespace dev.utils { namespace common { namespace encrypt { class dev.utils.common.encrypt.SHAUtils { {static} - TAG : String {static} + getFileSHA() {static} + getFileSHA1() {static} + getFileSHA1() {static} + getFileSHA256() {static} + getFileSHA256() {static} + sha1() {static} + sha224() {static} + sha256() {static} + sha384() {static} + sha512() {static} + shaHex() - SHAUtils() } } } } namespace dev.utils { namespace common { namespace encrypt { class dev.utils.common.encrypt.TripleDESUtils { {static} - TAG : String {static} + decrypt() {static} + encrypt() {static} + initKey() - TripleDESUtils() } } } } namespace dev.utils { namespace common { namespace encrypt { class dev.utils.common.encrypt.XorUtils { {static} + decrypt() {static} + encrypt() {static} + encryptAsFix() - XorUtils() } } } } 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
d4a3ecc5e5ce2d87075b7f00e4c08359a31f2c6c
d97b774fd95a8e98e37c46ee1771f6e6e407a148
/uml/api/BusinessUnitSetStoresAction.puml
e58d004ad9afc64b93da3824137317047c008358
[]
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
518
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 BusinessUnitSetStoresAction [[BusinessUnitSetStoresAction.svg]] extends BusinessUnitUpdateAction { action: String stores: [[StoreResourceIdentifier.svg List<StoreResourceIdentifier>]] } interface BusinessUnitUpdateAction [[BusinessUnitUpdateAction.svg]] { action: String } @enduml
a37d93bdde0598ff3756df3e3807539c531ea6f2
d89bb8f6716e237708c41fbd56bcd7638c4a1b27
/src/main/java/ex28/ex28UML.puml
2fe5de55bdb8082914d41a55514f5cf28a21d7b6
[]
no_license
nick-vigg/Viggiani-cop3330-assignment2
12362b7d8531a4f0b5fc746e233baf82285cf11c
10d875c0a619bfd3e8970aff3cad5f8d986c140c
refs/heads/master
2023-05-28T23:21:29.991438
2021-06-12T19:36:41
2021-06-12T19:36:41
375,123,410
0
0
null
null
null
null
UTF-8
PlantUML
false
false
155
puml
@startuml 'https://plantuml.com/sequence-diagram class AddingNumbers{ } Counter->AddingNumbers Counter : int total; Counter : int num, sum; @enduml
0407e3d7e2f54e403526900c3890839d86b6cb56
24cc83f303b034e808e1c775ba8063f9ce01afc4
/ddd_160306/app.puml
374e680ba0aab3db9b2cb9873b213dd3584a6d40
[]
no_license
iamapen/puml
7110aea5171be5bd8f735fb252c674c8a78a9943
9a59dad08faee1b494c2dafefbefb32feacb90b6
refs/heads/master
2020-08-26T19:18:18.364585
2020-01-05T17:48:55
2020-01-05T17:48:55
214,042,778
0
0
null
null
null
null
UTF-8
PlantUML
false
false
3,430
puml
@startuml namespace App #fcc { namespace DataTransformer { namespace User { interface UserDataTransfomer { + write(user:User) + read() :array } class UserDtoDataTransfomer UserDataTransfomer <|.. UserDtoDataTransfomer } } namespace Service { namespace User { namespace App.Service.User.AggregateVersion { class ViewWishesService { - userRepository :UserRepository + execute(ViewWishesRequest) :Wish[] } } class LoginUserService { - authenticationService :Authentifier + __construct(Authentifier) + execute(email:string, password:string) } class LogoutUserService { - authenticationService :Authentifier + __construct(Authentifier) + execute() } class GrantUserWishesService { - userRepository :UserRepository + __construct(UserRepository) + execute(userId :int) :int } class SignUpUserRequest { - email :string - password :string + __construct(email:string, password:string) + email() :string + password() :string } class SignUpUserService { - userRepository :UserRepository - userDataTransformer :UserDataTransfomer + __construct(UserRepository, UserDataTransfomer) + execute(request=null) :array } Ddd.Application.Service.ApplicationService <|.. SignUpUserService SignUpUserService -- SignUpUserRequest class ViewWishesService { - wishRepository :WishRepository + __construct(WishRepository) + execute(request=null) :Wish[] } class ViewWishesRequest { - userId :UserId + __construct(UserId) + userId() :UserId } ViewWishesService -- ViewWishesRequest App.Service.User.AggregateVersion.ViewWishesService -- ViewWishesRequest class ViewBadgesService { - userService :UserSecurityToken + __construct(UserService) + execute(request=null) :FirstWillMadeBadge[] } class ViewBagesRequest { - userId :UserId + __construct(UserId) + userId() :UserId } ViewBadgesService -- ViewBagesRequest } namespace Wish { namespace AggregateVersion { class AddWishService class DeleteWishService class UpdateWishService class ViewWishService abstract class WishService Ddd.Application.Service.ApplicationService <|.. WishService WishService <|-- ViewWishService WishService <|-- AddWishService WishService <|-- UpdateWishService WishService <|-- DeleteWishService ViewWishService -- App.Service.Wish.ViewWishRequest AddWishService -- App.Service.Wish.AddWishRequest UpdateWishService -- App.Service.Wish.UpdateWishRequest DeleteWishService -- App.Service.Wish.DeleteWishRequest } class AddWishService class DeleteWishService class UpdateWishService class ViewWishService abstract class WishService Ddd.Application.Service.ApplicationService <|.. WishService WishService <|-- ViewWishService WishService <|-- AddWishService WishService <|-- UpdateWishService WishService <|-- DeleteWishService class ViewWishRequest ViewWishService -- ViewWishRequest class AddWishRequest AddWishService -- AddWishRequest class UpdateWishRequest UpdateWishService -- UpdateWishRequest class DeleteWishRequest DeleteWishService -- DeleteWishRequest } App.Service.User --[hidden]-- App.Service.Wish } } @enduml
fd4e3d32aa880c78961a5cd92481a2936e525941
b2d33d6e2b323281a5adab60b65f5c9906c6d5ec
/exempluGrafica/src/main/java/joc/projectile/projectile.plantuml
05fcd70629443763c22b754bb78bfed301590431
[]
no_license
LoghinVladDev/gameEx
b68da7b75f01cdf11afce935fac876cb4420ad68
3dc465af55f55b2aa5634446d2115615cc8a46f7
refs/heads/master
2022-10-17T05:20:03.623434
2020-06-11T16:03:28
2020-06-11T16:03:28
265,932,516
1
0
null
null
null
null
UTF-8
PlantUML
false
false
2,607
plantuml
@startuml title __PROJECTILE's Class Diagram__\n namespace joc { namespace projectile { class joc.projectile.ArrowProjectile { {static} + DEFAULT_ENEMY_PROJECTILE_SPEED : int - angle : double - framesPassed : int - horizSpeed : double - isPlayerThrown : boolean - speed : double - spriteImage : BufferedImage - stayTime : int - vertSpeed : double - x : double - y : double + ArrowProjectile() + draw() + update() + updateEnemyProjectile() - detectPlayerCollision() - slowDown() } } } namespace joc { namespace projectile { interface joc.projectile.Projectile { {abstract} + draw() {abstract} + update() } } } namespace joc { namespace projectile { enum ProjectileDirection { BOTTOMLEFT BOTTOMRIGHT DOWN LEFT RIGHT TOPLEFT TOPRIGHT UP } } } namespace joc { namespace projectile { class joc.projectile.RockProjectile { {static} + DEFAULT_ENEMY_PROJECTILE_SPEED : int {static} + DEFAULT_PROJECTILE_SPEED : int - angle : double - framesPassed : int - horizSpeed : double - isPlayerThrown : boolean - speed : double - spriteImage : BufferedImage - stayTime : int - vertSpeed : double - x : double - y : double + RockProjectile() + RockProjectile() + draw() + update() + updateEnemyProjectile() + updatePlayer() - detectEnemyCollision() - detectPlayerCollision() - loadProjectileForAngle() - loadProjectileForDirection() - slowDown() } } } joc.projectile.ArrowProjectile .up.|> joc.projectile.Projectile joc.projectile.ArrowProjectile o-- joc.window.GameWindow : gameWindow joc.projectile.ArrowProjectile o-- joc.map.Map : map joc.projectile.RockProjectile .up.|> joc.projectile.Projectile joc.projectile.RockProjectile o-- joc.window.GameWindow : gameWindow joc.projectile.RockProjectile o-- joc.map.Map : map joc.projectile.RockProjectile o-- joc.projectile.ProjectileDirection : projectileDirection 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
4af0019f5379e737aaf3c0d41d68f14192189c5c
4e66b60562009e54e3249595d08d88573c1d7fba
/uml/MemberDeclaration.puml
fb6d71c170b718cf9ac2cbd07a0f815adde66dd6
[ "MIT" ]
permissive
pierre3/PlantUmlClassDiagramGenerator
a17a7ec5e3b547b0a9d5afee1d74436c6d602782
00bd84d543a14f05c95857426060e677c4668cc8
refs/heads/master
2023-07-06T01:15:15.436366
2023-05-31T13:39:56
2023-06-02T10:24:02
41,860,665
598
123
MIT
2023-08-20T06:56:51
2015-09-03T13:17:42
C#
UTF-8
PlantUML
false
false
631
puml
@startuml abstract class AbstractClass { # _x : int <<internal>> _y : int # <<internal>> _z : int + {abstract} AbstractMethod() : void # <<virtual>> VirtualMethod(s:string) : void + BaseMethod(n:int) : string } class ClassM { + {static} <<readonly>> PI : double = 3.141592 + PropA : int <<get>> <<set>> + PropB : int <<get>> <<protected set>> + <<event>> SomeEvent : EventHandler + <<override>> AbstractMethod() : void # <<override>> VirtualMethod(s:string) : void + <<override>> ToString() : string + <<new>> BaseMethod(n:int) : string } AbstractClass <|-- ClassM @enduml
b854dd9d7371df8c5c310bf3d92c5432b7d84f05
342059f77730cdab6130de7ed7446aa906143042
/docs/source/diagrams/classes.plantuml
094fb22b11eec7138a5e067d69124c84c71adcd8
[ "MIT" ]
permissive
SauceCat/PDPbox
cb9acab69c0c26f69d2df039c272c8968dd24d67
7fae76b895f705124b137dfacb55bce22a828bd6
refs/heads/master
2023-06-07T12:14:17.927125
2023-06-05T01:35:02
2023-06-05T01:35:02
95,423,063
790
137
MIT
2023-06-05T01:35:04
2017-06-26T08:01:54
Jupyter Notebook
UTF-8
PlantUML
false
false
8,554
plantuml
@startuml classes set namespaceSeparator none class "BaseInfoPlotEngine" as pdpbox.info_plot_utils.BaseInfoPlotEngine { feat_name feat_names feat_type feat_types plot_obj plot_style which_classes plot() plot_matplotlib() plot_plotly() set_subplot_title(title, axes) } class "FeatureInfo" as pdpbox.utils.FeatureInfo { col_name cust_grid_points : NoneType display_columns : list endpoint : bool grid_range : NoneType grid_type : str grids : ndarray name num_bins : int num_grid_points : int percentile_columns : list percentile_range : NoneType percentiles : NoneType show_outliers : bool type : str prepare(df) } class "InfoPlotEngine" as pdpbox.info_plot_utils.InfoPlotEngine { display_columns percentile_columns get_axes_label() wrapup(title, bar_axes, line_axes, box_axes) wrapup_plotly(target, fig, bar_grids, box_grids, yrange) } class "InfoPlotStyle" as pdpbox.styles.InfoPlotStyle { bar : dict box : dict gaps : dict line : dict plot_sizes : dict plot_type : str plot_type_to_title : dict subplot_ratio : dict set_bar_style() set_box_style() set_gaps() set_line_style() set_plot_sizes() set_plot_title(feat_name) set_subplot_ratio() update_plot_domains(fig, nr, nc, grids, title_text) update_styles() } class "InteractInfoPlotEngine" as pdpbox.info_plot_utils.InteractInfoPlotEngine { cmaps : cycle count_max count_min display_columns feat_names feat_types marker_sizes percentile_columns get_axes_label(i) plot_matplotlib() plot_plotly() prepare_axes(inner_grid) prepare_data(class_idx) prepare_grids(i) } class "InteractInfoPlotStyle" as pdpbox.styles.InteractInfoPlotStyle { annotate gaps : dict legend : dict marker : dict plot_sizes : dict plot_type : str plot_type_to_title : dict subplot_ratio : dict set_gaps() set_legend_style() set_marker_style() set_plot_sizes() set_plot_title(feat_names) set_subplot_ratio() update_plot_domains(fig, nr, nc, grids, title_text) } class "InteractPredictPlot" as pdpbox.info_plots.InteractPredictPlot { } class "InteractTargetPlot" as pdpbox.info_plots.InteractTargetPlot { } class "<color:red>NotThisMethod</color>" as pdpbox._version.NotThisMethod { } class "PDPInteract" as pdpbox.pdp.PDPInteract { df feature_grid_combos : ndarray feature_names features model_features n_grids : ndarray pdp_isolate_objs plot_type : str plot(plot_type, plot_pdp, to_bins, show_percentile, which_classes, figsize, dpi, ncols, plot_params, engine, template) } class "PDPInteractPlotEngine" as pdpbox.pdp_utils.PDPInteractPlotEngine { cmaps : cycle display_columns feat_grids feat_names feat_types grids : list percentile_columns percentiles plot_obj plot_style which_classes get_axes_label(i) plot() plot_matplotlib() plot_plotly() prepare_axes(inner_grid) prepare_data(class_idx) prepare_grids(nc, nr) wrapup(title, xy_axes, x_axes, y_axes) wrapup_plotly(fig, xy_grids, x_grids, y_grids) } class "PDPInteractPlotStyle" as pdpbox.styles.PDPInteractPlotStyle { gaps : dict interact : dict isolate : dict plot_sizes : dict plot_type plot_type_to_title : dict subplot_ratio : dict set_gaps() set_interact_style() set_isolate_style() set_plot_attributes() set_plot_sizes() set_plot_title(feat_names) set_subplot_ratio() update_plot_domains(fig, nc, nr, grids, title_text) } class "PDPIsolate" as pdpbox.pdp.PDPIsolate { count_df df dist_df feature_info model_features n_grids plot_type : str plot(center, plot_lines, frac_to_plot, cluster, n_cluster_centers, cluster_method, plot_pts_dist, to_bins, show_percentile, which_classes, figsize, dpi, ncols, plot_params, engine, template) } class "PDPIsolatePlotEngine" as pdpbox.pdp_utils.PDPIsolatePlotEngine { cmaps : cycle display_columns feat_name feat_type grids : list is_numeric percentile_columns percentiles : list plot_obj plot_style which_classes get_axes_label() plot() plot_matplotlib() plot_plotly() prepare_axes(inner_grid) prepare_data(class_idx) prepare_grids(nc, nr) wrapup(title, line_axes, dist_axes) wrapup_plotly(fig, line_grids, dist_grids) } class "PDPIsolatePlotStyle" as pdpbox.styles.PDPIsolatePlotStyle { dist : dict gaps : dict line : dict pdp_hl plot_sizes : dict plot_type plot_type_to_title : dict std_fill : bool subplot_ratio : dict set_dist_style() set_gaps() set_line_style() set_plot_attributes() set_plot_sizes() set_plot_title(feat_name) set_subplot_ratio() update_plot_domains(fig, nc, nr, grids, title_text) } class "PDPResult" as pdpbox.pdp.PDPResult { class_id ice_lines pdp } class "PlotStyle" as pdpbox.styles.PlotStyle { figsize : tuple font_family label : dict ncols : int nrows : int plot_params tick : dict title : dict get_plot_sizes() get_subplot_title(x, y, title_text) make_subplots() make_subplots_plotly(plot_args) set_default_attributes() set_figsize(num_plots) set_label_style() set_tick_style() set_title_style() update_plot_domains(fig, nr, nc, grids, title_text, plot_domain_func) update_styles() } class "PredictPlot" as pdpbox.info_plots.PredictPlot { } class "PredictPlotEngine" as pdpbox.info_plot_utils.PredictPlotEngine { box_colors : cycle plot_matplotlib() plot_plotly() prepare_axes(inner_grid) prepare_data(class_idx) prepare_grids(i) } class "TargetPlot" as pdpbox.info_plots.TargetPlot { } class "TargetPlotEngine" as pdpbox.info_plot_utils.TargetPlotEngine { line_colors : cycle plot_matplotlib() plot_plotly() prepare_axes(inner_grid) prepare_data(class_idx) prepare_grids(i) } class "VersioneerConfig" as pdpbox._version.VersioneerConfig { VCS : str parentdir_prefix : str style : str tag_prefix : str verbose : bool versionfile_source : str } class "_BaseInfoPlot" as pdpbox.info_plots._BaseInfoPlot { df n_classes : int, NoneType plot_engines : dict plot_type target : list prepare_predict_plot(model, df, pred_func, n_classes, predict_kwds, chunk_size) prepare_target_plot(df, target) } class "_InfoPlot" as pdpbox.info_plots._InfoPlot { count_df df feature_cols : list feature_info plot_type : str summary_df target_lines agg_target() plot(which_classes, show_percentile, figsize, dpi, ncols, plot_params, engine, template) prepare_feature() } class "_InteractInfoPlot" as pdpbox.info_plots._InteractInfoPlot { df feature_cols feature_infos plot_df plot_type : str summary_df agg_target() plot(which_classes, show_percentile, figsize, dpi, ncols, annotate, plot_params, engine, template) prepare_feature() } class "_PDPBase" as pdpbox.pdp._PDPBase { chunk_size : int data_transformer : NoneType dist_num_samples : int from_model : bool memory_limit : float model model_features n_classes : NoneType n_jobs : int pred_func : NoneType predict_kwds : dict results : list target : list } class "defaultColors" as pdpbox.styles.defaultColors { black : str blue : str cmap_inter : str cmaps : list colors : list darkBlue : str darkGray : str darkGreen : str lightBlue : str lightGray : str lightGreen : str red : str yellow : str } pdpbox.info_plot_utils.InfoPlotEngine --|> pdpbox.info_plot_utils.BaseInfoPlotEngine pdpbox.info_plot_utils.InteractInfoPlotEngine --|> pdpbox.info_plot_utils.BaseInfoPlotEngine pdpbox.info_plot_utils.PredictPlotEngine --|> pdpbox.info_plot_utils.InfoPlotEngine pdpbox.info_plot_utils.TargetPlotEngine --|> pdpbox.info_plot_utils.InfoPlotEngine pdpbox.info_plots.InteractPredictPlot --|> pdpbox.info_plots._InteractInfoPlot pdpbox.info_plots.InteractTargetPlot --|> pdpbox.info_plots._InteractInfoPlot pdpbox.info_plots.PredictPlot --|> pdpbox.info_plots._InfoPlot pdpbox.info_plots.TargetPlot --|> pdpbox.info_plots._InfoPlot pdpbox.info_plots._InfoPlot --|> pdpbox.info_plots._BaseInfoPlot pdpbox.info_plots._InteractInfoPlot --|> pdpbox.info_plots._BaseInfoPlot pdpbox.pdp.PDPInteract --|> pdpbox.pdp._PDPBase pdpbox.pdp.PDPIsolate --|> pdpbox.pdp._PDPBase pdpbox.styles.InfoPlotStyle --|> pdpbox.styles.PlotStyle pdpbox.styles.InteractInfoPlotStyle --|> pdpbox.styles.PlotStyle pdpbox.styles.PDPInteractPlotStyle --|> pdpbox.styles.PlotStyle pdpbox.styles.PDPIsolatePlotStyle --|> pdpbox.styles.PlotStyle pdpbox.utils.FeatureInfo --* pdpbox.info_plots._InfoPlot : feature_info pdpbox.utils.FeatureInfo --* pdpbox.pdp.PDPIsolate : feature_info @enduml
63ec232dc424da688b6e10d68cc49ceadf8a9f80
d8a580600f00a1d68e9e07e0904e224f836b8e6c
/app/diagram/AlbumDemoUMLDiagram.plantuml
9ed53e86fa4f1f79445d7f84cb6c3950984112b9
[]
no_license
chandanyad/android-album-demo
a7561bf297d05593a7bd57344af874cffe9ef48c
db395388fb18e217264fdffa0e3477ca6a324062
refs/heads/master
2020-05-25T06:58:05.036549
2019-05-22T15:05:10
2019-05-22T15:05:10
187,674,728
0
0
null
null
null
null
UTF-8
PlantUML
false
false
2,265
plantuml
@startuml '------ Domain -------' package Domain { interface AlbumServiceContract { + getAlbumList(): Observable<List<Album>> } class AlbumService { - repoContract: AlbumRepoContract } AlbumServiceContract <|.. AlbumService AlbumPresenter *-- AlbumServiceContract AlbumRepoContract *-- AlbumService class Album { + userId: String + id: String + title: String } interface AlbumRepoContract { + getAlbums(): Observable<List<Album>> } } package UI { '------ View -------' interface ViewContract { + updateAlbumList(viewModel: AlbumViewModel) + onFetchComplete() + onError() } class AlbumViewModel { + albumList: List<Album> } class AlbumActivity ViewContract <|.. AlbumActivity AlbumActivity *-- PresenterContract '------ Presenter -------' interface PresenterContract { + getAlbums() } class AlbumPresenter PresenterContract <|.. AlbumPresenter } '------ Infastructure -------' package Infastructure { class AlbumRepo { - localDataSourceContract: AlbumDataSourceContract - remoteDataSourceContract: AlbumDataSourceContract } AlbumRepoContract <|.. AlbumRepo AlbumRepo *-- AlbumDataSourceContract interface AlbumDataSourceContract { + getAlbums(): Observable<List<Album>> + saveAlbums(albumList: List<Album>) } '------ Local Data source -------' package Local { class AlbumLocalDS { - realm: Realm } AlbumDataSourceContract <|.. AlbumLocalDS class ROAlbum{ + userId: String + id: String + title: String + lastSyncDate : Date } } '------ Remote Data source -------' package Remote { class AlbumRemoteDS { - api: AlbumApi } AlbumDataSourceContract <|.. AlbumRemoteDS AlbumRemoteDS *-- AlbumApi interface AlbumApi { + fetchAlbums(): Observable<List<AlbumResponse>> } class AlbumResponse{ + userId: String + id: String + title: String } } } @enduml
249ba9b60642e1b3d8a6de0e1e43ffb74fecaf5e
8c59fbc94a2ba7fa9a12c10991fe334cda0df128
/metrics/web/docs/features/user_profile_theme/diagrams/user_profile_theme_data_class.puml
aea53602763c9ed90296530696e3c7002790765c
[ "Apache-2.0" ]
permissive
solid-vovabeloded/flank-dashboard
7e952fa1399585d3f15cae2ed2cab435fb82df3f
15dae0c40823cc12886a1bb0c087442c0697ac89
refs/heads/master
2023-07-11T19:54:58.430004
2021-08-06T10:29:26
2021-08-06T10:29:26
389,593,827
0
0
Apache-2.0
2021-07-26T10:33:52
2021-07-26T10:25:59
null
UTF-8
PlantUML
false
false
835
puml
@startuml user_profile_domain_class package auth.data { package repository { class FirebaseUserRepository {} } package model { class UserProfileData { factory fromJson() } } } package auth.domain.entities { class UserProfile { id : String selectedTheme: ThemeType } } package core.src.data.model { interface DataModel { Map<String, dynamic> toJson() } } package auth.domain.repository { class UserRepository { ... Future<void> createUserProfile() Stream<UserProfile> userProfileStream() Future<void> updateUserProfile() } } FirebaseUserRepository ..|> UserRepository UserProfileData ..|> DataModel UserProfileData --|> UserProfile FirebaseUserRepository --> UserProfileData : uses @enduml
87e6e0378a78f15d3035d7f577d5353a9e985753
9623791303908fef9f52edc019691abebad9e719
/src/cn/shui/learning_plan/beike/model/model.plantuml
a1b9e7b2499bb0e08e67f9c6d7cb291b5075b6db
[]
no_license
shuile/LeetCode
8b816b84071a5338db1161ac541437564574f96a
4c12a838a0a895f8efcfbac09e1392c510595535
refs/heads/master
2023-08-17T04:53:37.617226
2023-08-15T16:18:46
2023-08-15T16:18:46
146,776,927
0
0
null
null
null
null
UTF-8
PlantUML
false
false
943
plantuml
@startuml title __MODEL's Class Diagram__\n namespace cn.shui.learning_plan.beike.model { class cn.shui.learning_plan.beike.model.ListNode { + val : int + ListNode() + ListNode() + ListNode() } } namespace cn.shui.learning_plan.beike.model { class cn.shui.learning_plan.beike.model.TreeNode { + val : int + TreeNode() + TreeNode() + TreeNode() } } cn.shui.learning_plan.beike.model.ListNode o-- cn.shui.learning_plan.beike.model.ListNode : next cn.shui.learning_plan.beike.model.TreeNode o-- cn.shui.learning_plan.beike.model.TreeNode : left cn.shui.learning_plan.beike.model.TreeNode o-- cn.shui.learning_plan.beike.model.TreeNode : right 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
aabcf99cd9cc42104e0e82c6736f3bc60d58364b
54a847abd787d41df61ccbb7e1085c57e9b61acd
/tst/d/inp/test2.puml
a37ad0cfa910ec16f22c3d2abc360a9554675a75
[ "MIT" ]
permissive
bondden/esf-puml
ebe9de820924c654eecffb2a784f7b6274fc3220
f8325ef4bf93fb97477029c30833f9501ebf319f
refs/heads/master
2020-04-06T13:28:44.006809
2016-09-16T05:41:38
2016-09-16T05:41:38
44,272,453
5
3
null
2017-05-27T11:38:51
2015-10-14T19:50:56
JavaScript
UTF-8
PlantUML
false
false
537
puml
@startuml !define BG DarkSlateGrey skinparam { BackgroundColor BG default { Font { Color LightGrey } BorderColor LightGrey } class { BackgroundColor BG BorderColor LightGrey ArrowColor LightGrey } legend { BackgroundColor BG BorderColor BG } } header Test Project end header title Test 2\n class Basic { +pubParam +pvtParam +getPvtParam() } class Fnc extends Basic { +setPvtParam(parVal) } legend right = Legend This is a test diagram end legend footer © bondden 2014 end footer @enduml
ef6d629099897c9eb2f212e250b751d21f342563
c84d9d85a5b7784e70190b66ca421f4d93e1e250
/docs/diagrams/MarkStateRecordClassDiagram.puml
0b5f8ec7c1eed3eb63988cdb8e4b49c59dc92723
[ "MIT" ]
permissive
AY1920S1-CS2103T-T13-4/main
35bcc39e36283ee8a56b4df8376bdae5496d068c
b9e96701e2db4aa4d05f0fe8549e853e2f9975c8
refs/heads/master
2020-07-23T06:04:03.198729
2020-01-19T09:45:12
2020-01-19T09:45:12
207,463,015
0
8
NOASSERTION
2020-01-19T09:45:14
2019-09-10T04:09:31
Java
UTF-8
PlantUML
false
false
398
puml
@startuml hide circle skinparam arrowThickness 1.1 Interface ReadOnlyMark <<Interface>> ReadOnlyMark <|.. Mark Mark <|-- VersionedMark VersionedMark *-down- "*" MarkStateRecord MarkStateRecord *- "1" ReadOnlyMark class MarkStateRecord { String record getState() getRecord() } class VersionedMark { saveMark(string record) undoMark(int step) redoMark(int step } @enduml
5cd0e8b1777c744f1cb88fb875de134213e08ee9
87cde44ffb99a6e47f70b11faf6e18a6e395e0c7
/src/main/java/ex43/ex43.puml
db871e751715aef18777ac734ad2ba6a0f5a6660
[]
no_license
ajdahcode/bagarra-COP3330-assignment3
a61b44c455def5602477c7efde27363afe59d778
bc1c88ceba738a9083527ed033e55c595eab1387
refs/heads/master
2023-08-22T03:03:11.699932
2021-10-12T04:03:25
2021-10-12T04:03:25
416,169,837
0
0
null
null
null
null
UTF-8
PlantUML
false
false
118
puml
@startuml class createdir{ Site Author FolderJS FolderCSS } scn <- file createdir <- scn file <- template @enduml
27ef444dc950fe1a92ee37137f1e7f5bf32bd5b1
83a1a7f2e85781a5e910591c60cb84d31c233c11
/conception/diag_classe_package_game.plantuml
70f7e6b382c398db4a8c35e72667627912453ce8
[]
no_license
AntoineCourtil/CAD2018_Laraclette
3590a7649826eeab47083c0ea79f8b62393ae781
ab0fc5eb473758a2bbc2241853bfa6d2de5a33b5
refs/heads/master
2021-05-09T14:42:38.996159
2018-04-26T13:29:49
2018-04-26T13:29:49
119,071,004
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,328
plantuml
@startuml title Diagramme de classe du package game package game { enum Cmd { ARROW_LEFT, ARROW_RIGHT, ARROW_UP, ARROW_DOWN, ENTER } enum GameState { MENU RUNNING, EPOCH_CHOOSE, RESUME_GAME } class Game { - gameState : GameState - painter : Painter + evolve(cmd : Cmd, click Point2D) - evolveRunning(cmd : Cmd, click Point2D) - evolveMenu(cmd : Cmd, click Point2D) - evolveEpochChoose(cmd : Cmd, click Point2D) - evolveResumeGame(cmd : Cmd, click Point2D) - playerChooseBoat(pos : Point2D) - playerShoot(pos : Point2D) } Game --"1" modele.BatailleNavale Game ..> engine.Game class Painter { - drawMenu() - drawEpochChoose() - drawRunning() - drawResumeGame() } Painter ..> engine.GamePainter Painter -- "1" modele.BatailleNavale class Controller { - commandeEnCours : Cmd - clickEnCours : Point2D + keyPressed(e : KeyEvent) + mouseClicked(e : MouseEvent) } Controller ..> engine.GameController } package engine { interface GameController interface GamePainter interface Game } package modele { class BatailleNavale } @enduml
5f72580f1bf006bd7dae550fa4b4d63cbdc5c4e1
a4750e0d70ea76001971df4511c7bde543c04a96
/TD1.2.2.plantuml
ac0ef45e3fef9f996fe6f4c3c4747903be660fff
[ "MIT" ]
permissive
IUT-Blagnac/bcoo-NicolasIUT
39019a72749beae52fb54429537391559322b2e4
a8cf846d6d34addaac8771a69e5a70b2ebec1af5
refs/heads/main
2023-03-28T07:33:31.038455
2021-03-31T13:41:04
2021-03-31T13:41:04
335,633,635
0
0
null
null
null
null
UTF-8
PlantUML
false
false
457
plantuml
@startuml TD1.2.2 V1 '-------------------------------- ' Parametres pour le dessin '-------------------------------- hide circle hide empty members hide empty methods '-------------------------------- class OrdiPortable { prixAchat valeurActuelle } class Clavier { type } class Touche { valeur } class Proprietaire { nom prenom } Proprietaire "1" -- "1..*" OrdiPortable OrdiPortable "1" -- "1" Clavier Touche "*" -- "1" Clavier @enduml
23342055057c44c3d6ef4d780392a72e4c9a293f
be6f3c2838e9be8dce8f8ac10de1ce485d030eaa
/docs/internals/phpdocumentor3/components/php.puml
db9d92279c4d8c867f1665f8a192b8ebb521fd13
[ "MIT" ]
permissive
zonuexe/phpDocumentor2-ja
79718326856fba3945ea16ed26eb023b87c3c9fe
aa085f2f10878f0b856cb1d673b5784e115145f9
refs/heads/doc/ja-translation
2021-08-09T12:55:10.460481
2016-08-18T16:15:50
2016-08-18T16:15:50
65,297,906
0
1
MIT
2021-01-25T14:35:51
2016-08-09T13:38:24
PHP
UTF-8
PlantUML
false
false
4,602
puml
@startuml namespace Reflection { class Fqsen interface Element { + getFqsen() : Fqsen + getName() : string } Element o-> Fqsen namespace Php { class DocBlock note bottom The DocBlock and related classes are described in the Class Diagram for the DocBlock Reflection component. end note class Visibility { + __construct(string $visibility) + __toString() } class Project<<Aggregate Root>> { + getFiles() : File[] + addFile(File $file) + getRootNamespace() : Namespace + getNamespaces() : Namespace[] + addNamespace(Namespace $namespace) } interface ProjectFactoryStrategy { + matches(object $data) : boolean + create(object $data, ProjectFactory $factory) : Reflection.Element } note left The ProjectFactory is provided with the create method because we are building a tree and this means that this is a recursive process. For example: a Class factory strategy will invoke the factory to create its members. end note class ProjectFactory { + __construct($strategies) + create(string[] $files) : Project + update(Project $project, string[] $files) : Project } class File implements Reflection.Element { } class Namespace_ implements Reflection.Element { } class Constant implements Reflection.Element { } class Function_ implements Reflection.Element { } class Class_ implements Reflection.Element { } class Interface_ implements Reflection.Element { } class Trait_ implements Reflection.Element { } class ClassConstant implements Reflection.Element { } class Property implements Reflection.Element { } class Method implements Reflection.Element { } class Argument { } namespace Factory { class File { } class Namespace_ { } class Constant { } class Function_ { } class Class_ { } class Interface_ { } class Trait_ { } class ClassConstant { } class Property { } class Method { } class Argument { } } Project - ProjectFactory Project o--> File Project o--> Namespace_ ProjectFactory o--> ProjectFactoryStrategy ProjectFactoryStrategy <|-- .Reflection.Php.Factory.File ProjectFactoryStrategy <|-- .Reflection.Php.Factory.Namespace_ ProjectFactoryStrategy <|-- .Reflection.Php.Factory.Constant ProjectFactoryStrategy <|-- .Reflection.Php.Factory.Function_ ProjectFactoryStrategy <|-- .Reflection.Php.Factory.Class_ ProjectFactoryStrategy <|-- .Reflection.Php.Factory.Interface_ ProjectFactoryStrategy <|-- .Reflection.Php.Factory.Trait_ ProjectFactoryStrategy <|-- .Reflection.Php.Factory.ClassConstant ProjectFactoryStrategy <|-- .Reflection.Php.Factory.Property ProjectFactoryStrategy <|-- .Reflection.Php.Factory.Method ProjectFactoryStrategy <|-- .Reflection.Php.Factory.Argument File o--> Function_ File o--> Constant File o--> Class_ File o--> Interface_ File o--> Trait_ Namespace_ o--> Function_ Namespace_ o--> Constant Namespace_ o--> Class_ Namespace_ o--> Interface_ Namespace_ o--> Trait_ Class_ o--> Method Class_ o--> Property Class_ o--> ClassConstant Interface_ o--> Method Interface_ o--> ClassConstant Trait_ o--> Method Trait_ o--> Property Function_ o--> Argument Method o--> Argument Class_ o--> .Reflection.Php.DocBlock Interface_ o--> .Reflection.Php.DocBlock Trait_ o--> .Reflection.Php.DocBlock Function_ o--> .Reflection.Php.DocBlock Constant o--> .Reflection.Php.DocBlock ClassConstant o--> .Reflection.Php.DocBlock Property o--> .Reflection.Php.DocBlock Method o--> .Reflection.Php.DocBlock Method o--> .Reflection.Php.Visibility Property o--> .Reflection.Php.Visibility } } @enduml
bfd3f130e08fb438af6eb748825495660195b99f
c7144af16e76ac5765e3c5c212eb1fa515ea8f6c
/DesignPattern/ClassDiagram/class-diagram_2-1-1.puml
8b1733bcf5796ddc487db437936d2c5c8b42ced5
[]
no_license
JungInBaek/TIL
de183dc4e42bb1e7ff1a88a7d79ec33088644334
4043c68213ec8955eaeb570e11e7d2fd9bf85924
refs/heads/main
2023-08-22T02:15:41.238631
2021-10-06T13:55:45
2021-10-06T13:55:45
399,660,120
4
0
null
null
null
null
UTF-8
PlantUML
false
false
154
puml
@startuml Coffee <|-- Espresso class Coffee { -String name +String getName() +void setName(String name) +void display() } class Espresso @enduml
3f149db52a98d4822ef45176afc1245141f2883b
29016ac8f51b5ddbe7e7c8605b6ae8da16b48545
/site/doc/DiagramClass.puml
2680a106a7a6066c806ce326bbe7077553927982
[]
no_license
tatasss/TEMI
12be14f2d82ff1d3ab7d3f9ceadaf502a7fbd87a
860241ac361f3ee6c51510d89240a7a2f5f0519b
refs/heads/master
2020-03-14T22:45:34.527772
2018-06-25T15:38:33
2018-06-25T15:38:33
131,828,287
3
0
null
2018-06-21T07:18:52
2018-05-02T09:26:45
JavaScript
UTF-8
PlantUML
false
false
12,191
puml
@startuml package "start" <<folder>>{ class Ref{ Ref() donnerNomPays(code:string):string donnerCodePays(nom:string):string } Object reference.js Object script.js{ showModal():void debutCompta(actu:float,regime:string):void validateForm():void getXMLHttpRequest():XMLHttpRequest verifPourcent(nombre:float):float mesPays():Array } } package "view" <<folder>>{ package "viewGenerator" <<folder>>{ class GenererVue{ GenererVue(modele:Modele) modele:Modele resultatHtml(regime:string):string recupDonneTab(effMoy:Array,impDonne:ImpotPays,donneImp:float,isIs:boolean,isIMF:boolean,isTot:boolean):Array pinbHtml(pays:string):string entrepriseHtml():string bilanHtml():string compteHtml():string donneesEconomiques(pin:float,pays:string):string ImpotHtml(monm:modele):string amortissementHTML():string amortiExcepHtml():string donneesFiscal():string bodyHTML(pin:float,pays:string,regimE:string):string navigationHtml(pays:string,regime:string,actu:float,marge:float):string mainHtml(pays:string,regime:string,actu:float,marge:float):string petroleHtml(taxeAjout:valAjout):string chargeFinancierHtml(taxeAjout:VlaCreanceCLi):string emploieHtml(monm:Modele):string comptableHtml(monm:Modele):string ammortExcepHtml(monm:Modele):string resultatImpotHtml(monm:Modele):string getAmmortGenneralHtml(monm:Modele):string impotSocieteHtml(monm:Modele):string impotForfaitHtml(monm:Modele):string impotRevenuValeurMobilieres(monm:Modele):string actualisationHtml(monm:Modele):string tabImpotEtTaxe(monm:ImpotTab):string tabTauxEffectifMoy(monm:float):string tabFluxTresorie(tab:FluxTresorie,color:string):string tauxRendementInt(tab:Array):string investissementRegime():string } class BootstrapVue{ tableSe(cote:Array,head:string,...:TabType):string pan(type:string,head:string,body:string):string container(body:string):string gridNavCote(body:string,nav:string):string buttonBalA(href:string,html:string):string buttonBaBu(type:string,onclick:callable(),html:string,value:Object) listeItem(tab:Array):string collapse(...:collapseType):string bootstrapTemiTabSpe(cote:Array,head:Array,tab:Array,maMarge:Array,titre:String):string } class Graph{ Graph() graphique(modeleTab:Array,id:string,regime:string,maMarge:Array,titre:String):void } Object graphGenerator.js{ createColorSet(number:float):Array getColorString(tab:Array):string } } package "directlyChange" <<folder>>{ Object GraphFormView.js{ supelemPays(code:string):void supelemEnt(marge:float):void } Object ModeleView.js Object ViewManufacturing.js note as N1 this object is on reality a file with a comportement view end note } } package "data" <<folder>>{ class Donne{ regime:String actu:float marge:float Donne(pays:String,regime:String,actu:float,marge:float) } } package "manufacturing" <<folder>>{ package "Fabrique" <<frame>>{ class Fabrique{ pibFind() Fabrique() } class Pays{ code:String nom:String pib:float dispoDerog:String source:String Pays(string code,string nom,Impot impot,Amortissement ammort,Investir investissement,string dispoDerog,string source) } class Impot{ cfe:float isImp:float imf:float irvm:float irc:float tva_petrole:float Impot(float cfe,float is,float imf,float irvm,float tva_petrole) } class Ammortissement{ construction:float equipement:float coefDegressif:float camion:float bureau:float Ammortissement(construction:float, equipement:float ,coedDegressif:float,camion:float,info:float,bureau:float) } class Entreprise{ nom:string terrain:float construction:float equipement:float camion:float info:float bureau:float stocks:float creanceCli:float dispoBanque:float capitalSocial:float detteLongterme:float detteCourtTerme:float detteFournisseur:float achat:float petrole:float depenseAdministrative:float depensePub:float depenseEntretien:float depenseFinanciere:float vente:float cadre:float secretaire:float ouvrier:float indice_cadre:float indice_secretaire indice_ouvrier:float dividende:float actuali:float Entreprise(actu:float,marge:float) } class Investir{ Investir(cfe:ImpotPays,isammort:IsImpotPays,imf:ImpotPays,irvm:ImpotPays,irc:ImpotPays,tvaPetrole:ImpotPays) } class ImpotPays{ duree:float taux:float reducexo:float ImpotPays(duree:float,taux:float,reducexo:float) } class IsImpotPays{ ammortTauxEx:float ammortLimit:float IsImpotPays(duree:float,taux:float,reducexo:float,ammortTauxEx:float,ammortLimit:float) } class AmortirModele{ AmortirModele(prix:float,durLin:float,coef:float,nom:String) dureeRestante:float baseAmortissable:float tauxLineaire:float tauxDegressif:float chargeAmorti:float nom:String getHtml():String } } } package "model" <<folder>>{ package "anotherFunctiun" <<folder>>{ class MyMath{ MyMath() tri(tab:Array):float van(actu:float,tab:Array):float sommeTab(tab:Array):float arrondirTabUnit(tab:Array,numberDec:float):Array } Object myMath.js{ triReel(fn:callable()):float } Object Excel.js{ newAPI(format String,tab :String,titre: string):File } } package "ModeleObject<<Implicite>>" <<frame>>{ class ValAjout{ petrole:Array taux:Array tva:Array } class ImpotResult{ benCompta:Array ammortExcep:Array BenImpot:Array } class ValCreanceCli{ chargeFinance:Array taux:Array irc:Array } class ComptaResult{ vente:Array achats:Array petrole:Array tva_petrole:Array depense_entretien:Array depense_admin:Array depense_pub:Array salaire_ouvrier:Array salaire_secretaire:Array salaire_cadre:Array cfe:Array chargeFinanciere:Array amortissement:Array benefice_comptable:Array taux_marge_avant_IS_IMF:Array } class EmploieTab{ salaire_cadre:Array salaire_secretaire:Array salaire_ouvrier:Array masse_salarial:Array tauxCfe:Array reel_CFE:Array } class ImpotTab{ cfe:Array isImp:Array imf:Array irvm:Array irc:Array tva_petrole:Array total:Array } note bottom: total can be undefined class AmmortExcept{ duree:float investissement:float taux:float limitation:float dureeTab:Array baseAmorti:Array chargeAmorti:Array } class FluxTresorie{ courant:Array actu:Array } } class Modele{ Modele(donne:Donne) investissement:float amortissementGeneral:Array amortissement:Array impotIMF:Array ImpotIRVM:Array actualisation:Array impotSociété:Array isImf:Array tauxEffMoyCourent:float tauxRendInterneSImp:Array tauxRendInterneSISIMF:Array tauxRendInterneAIMP:Array tauxEffMargApIsImf:Array tauxEffMargApImp:Array } class ModeleManager{ ModeleManager() investissementModele(mE:Entreprise,pibchoix:float):float ammortissement(mE:Entreprise,mP:Pays,pibchoix:float):Array ammortGen(ammortissement:Array):Array taxe_val_ajout(mE:Entreprise,impot:Impot,pibchoix:float):valAjout contributionForEmploie(mE:Entreprise,mP:Pays,pibchoix:float,impot:Impot):EmploieTab selectTaxe(mP:Pays,donne:Donne):ImpotTab taxe_creance(mE:Entreprise,impot:Impot,pibchoix:float):ValCreanceCli comptableResult(mE:Entreprise,pibchoix:float,tva,salaire_cadre:Array,salaire_secretaire:Array,salaire_ouvrier:Array,reel_cfe:Array,ammortissement:Array):ComptaResult impotResult(benCompa:Array,amortExep:Array):ImpotResult ammortExcept(mP:Pays,benCompta:Array,regime:String,donneRef:Donne):AmmortExcep iSIMFtab(is:Array,imf:Array):Array impotTaxeCourent(actu:float,employer:EmploieTab,isImf:Array,impotIRVM:Array,taxeCreance:VlaCreanceCli,taxeAjout:VlaAjout):ImpotTab impotTaxeActu(actu:float,employer:EmploieTab,isImf:Array,impotIRVM:Array,taxeCreance:VlaCreanceCli,taxeAjout:VlaAjout):ImpotTab tauxEffectif(vanSI:float,vanAI:float):float fluxTresoriesI(entreprise:Entreprise, pin:float, compta:ComptaResult, actu:float) :FluxTresorie fluxTresoriesImp(fluxTresorie:FluxTresorie,tabImpotC:Array,tabImpotA:Array,actuel:float):FluxTresorie tauxRendementInterne(tab:Array):Array tauxEffectifMarginaux(tabSi:Array,tabAi:Array):Array } } ValAjout-->Modele EmploieTab->Modele FluxTresorie "3"->Modele ImpotTab"3"->Modele ValCreanceCli->Modele ComptaResult->Modele ImpotResult->Modele AmmortExcept->Modele ModeleManager-down->Modele script.js-up-ModeleView.js script.js-GraphFormView.js script.js-ViewManufacturing.js Entreprise-left->Donne Donne-up->Modele Fabrique-down-reference.js Ref->reference.js Graph-down-reference.js MyMath-up-reference.js ModeleManager-up-reference.js Modele-down->GenererVue BootstrapVue-down-reference.js Impot-left->Pays reference.js->script.js Ammortissement -down->Pays Investir -up->Pays ImpotPays "5"-up->Investir IsImpotPays -up->Investir IsImpotPays -up--|>ImpotPays Pays-left->Fabrique Impot-left->Fabrique script.js-GenererVue Entreprise-right->Fabrique AmortirModele-down->Fabrique Investir-up->Fabrique ImpotPays-up->Fabrique IsImpotPays-up->Fabrique Ammortissement->Fabrique Pays->Donne script.js-up-Graph script.js-up-BootstrapVue @enduml
3e45e1596ca337e566397b78488f267f63eb722c
d97b774fd95a8e98e37c46ee1771f6e6e407a148
/uml/api/OrderSetItemShippingAddressCustomTypeAction.puml
ebfbcd1697211678551d47ffc5b04b2393a04c88
[]
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
592
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 OrderSetItemShippingAddressCustomTypeAction [[OrderSetItemShippingAddressCustomTypeAction.svg]] extends OrderUpdateAction { action: String addressKey: String type: [[TypeResourceIdentifier.svg TypeResourceIdentifier]] fields: [[FieldContainer.svg FieldContainer]] } interface OrderUpdateAction [[OrderUpdateAction.svg]] { action: String } @enduml
ba81ee955c53473a54ef58e6ea68e934d9eb312c
5154f1f50574e5238ba9fd189a1c52693eea8763
/docs/plantuml/FoI.puml
c3310d8a6e1b4cdc6d61c96ea95079170f8ffe70
[ "MIT" ]
permissive
darkar5555/HIT2GAPOnt
04cdf08c6d4803c17d026b2b42d238c1fc8c9776
8b663ad8162debf72b946e2a1c103975c92b76bb
refs/heads/master
2020-06-04T12:01:36.330677
2019-03-21T09:36:40
2019-03-21T09:36:40
null
0
0
null
null
null
null
UTF-8
PlantUML
false
false
8,728
puml
@startuml scale 0.5 skinparam class { ArrowColor DarkBlue ArrowFontColor DarkBlue BackgroundColor LightBlue BorderColor DarkGrey } skinparam dpi 300 skinparam stereotypeCBackgroundColor Wheat skinparam classAttributeFontColor Green /' Definition of the Feature of interest classes '/ class FeatureOfInterest <<ssn>> class Observation <<ssn>> { externalStorageID xsd:string } class MobileBuildingApplianceLocationObservation <<hit2gap>> class IfcBuilding <<ifc>> class IfcElement <<ifc>> class IfcSpatialElement <<h2gifc4>> class Microgrid <<ontomg>> class IfcSpatialStructureElement <<ifc>>{ hasSpatialStructureCapacity: xsd:double; } class IfcBuildingElement <<ifc>> class IfcElementComponent <<ifc>> class IfcDistributionControlElement <<ifc>> class IfcDistributionFlowElement <<ifc>> class IfcZone <<ifc>> class IfcSpatialZone <<h2gifc4>> class IfcFlowInstrument <<ifc4>> class IfcFlowInstrumentType <<ifc>> class IfcElectricalFlowStorageDevice <<ifc4>> class IfcElectricalFlowStorageDeviceType <<ifc>> class IfcTank <<ifc4>> class IfcTankType <<ifc>> class IfcSensor <<ifc4>> class IfcSensorType <<ifc>> class IfcProtectiveDeviceTrippingUnit <<h2gifc4>> class IfcUnitaryControlElement <<h2gifc4>> class IfcFlowTerminal <<ifc>> class IfcFlowStorageDevice <<ifc>> class IfcFlowTreatmentDevice <<ifc>> class IfcEnergyConversionDevice <<ifc>> { hasSetPoint xsd:boolean } class IfcFlowController <<ifc>> class IfcFlowMovingDevice <<ifc>> class BuildingAppliance <<hit2gap>> class BuildingType <<hit2gap>> class StaticBuildingAppliance <<hit2gap>> class MobileBuildingAppliance <<hit2gap>> class Monitoring <<hit2gap>> class Wereable <<hit2gap>> class Smartwatch <<hit2gap>> class Smartphone <<hit2gap>> class Meter <<hit2gap>> class IfcActuator <<ifc4>> class IfcActuatorType <<ifc>> class IfcAlarm <<ifc4>> class IfcAlarmType <<ifc>> class IfcController <<ifc4>> class IfcControllerType <<ifc>> class ELBranch <<ontomg>> class EnergyStorage <<ontomg>> class BranchController <<ontomg>> /' Building types class definition '/ class Agricultural <<hit2gap>> class Commercial <<hit2gap>> class Residential <<hit2gap>> class Educational <<hit2gap>> class Industrial <<hit2gap>> class Religious <<hit2gap>> class Public <<hit2gap>> class Transports <<hit2gap>> /' Building Zones types definition '/ class Room <<hit2gap>> class Floor <<hit2gap>> class OpenSpace <<hit2gap>> class Desk <<hit2gap>> class Subterranean <<hit2gap>> class Ground <<hit2gap>> class IfcDistributionElement <<ifc>> class DistributionElementState <<hit2gap>> class DiscreteState <<hit2gap>> class ContinousState <<hit2gap>> class IfcBuildingStorey <<ifc>> class IfcSite <<ifc>> class IfcSpace <<ifc>> class SpaceCapacity <<hit2gap>> class Orientation <<hit2gap>> class North <<(I,orchid),hit2gap>> class South <<(I,orchid),hit2gap>> class West <<(I,orchid),hit2gap>> class East <<(I,orchid),hit2gap>> class North_East <<(I,orchid),hit2gap>> class North_West <<(I,orchid),hit2gap>> class South_East <<(I,orchid),hit2gap>> class South_West <<(I,orchid),hit2gap>> /' Definition of the types of Physical Medium '/ class PhysicalMedium <<hit2gap>> class Oil <<hit2gap>> class Gas <<hit2gap>> class Water <<hit2gap>> class Air <<hit2gap>> class Steam <<hit2gap>> class Radiation <<hit2gap>> /' Definition of the types of FoIs '/ FeatureOfInterest <|-- IfcBuilding FeatureOfInterest <|-- BuildingAppliance FeatureOfInterest <|-- IfcElement FeatureOfInterest <|-- Microgrid FeatureOfInterest <|-- IfcSpatialElement IfcSpatialStructureElement <|-- IfcBuilding IfcSpatialElement <|-- IfcSpatialStructureElement IfcSpatialElement <|-- IfcSpatialZone IfcSpatialStructureElement --> SpaceCapacity: hit2gap:hasCapacity IfcSpatialStructureElement <|-- IfcBuildingStorey IfcSpatialStructureElement <|-- IfcSite IfcSpatialStructureElement <|-- IfcSpace IfcBuilding -->IfcSpatialZone: hit2gap:contains IfcSpatialZone --> IfcElement: hit2gap:contains IfcSite --> IfcSite: hit2gap:contains IfcSite --> IfcBuilding: hit2gap:contains IfcBuilding --> IfcBuilding: hit2gap:contains IfcBuildingStorey -->IfcSpace: hit2gap:contains IfcZone -->IfcZone: hit2gap:contains IfcZone -->IfcSpace: hit2gap:contains IfcBuilding -->IfcSpace: hit2gap:contains IfcBuilding --> IfcBuildingStorey: hit2gap:contains IfcSite --> Orientation: hit2gap:hasOrientation IfcBuilding --> Orientation: hit2gap:hasOrientation Orientation..[#orchid] North Orientation..[#orchid] South Orientation..[#orchid] West Orientation..[#orchid] East Orientation..[#orchid] North_East Orientation..[#orchid] North_West Orientation..[#orchid] South_East Orientation..[#orchid] South_West IfcElement <|-- IfcDistributionElement IfcElement <|-- IfcBuildingElement IfcElement <|-- IfcElementComponent IfcDistributionElement <|-- IfcDistributionControlElement IfcDistributionElement <|-- IfcDistributionFlowElement IfcDistributionFlowElement <|-- IfcFlowStorageDevice IfcDistributionFlowElement <|-- IfcFlowMovingDevice IfcDistributionFlowElement <|-- IfcFlowController IfcDistributionFlowElement <|-- IfcFlowTerminal IfcDistributionFlowElement <|-- IfcFlowTreatmentDevice IfcDistributionFlowElement <|-- IfcEnergyConversionDevice IfcDistributionElement --> DistributionElementState: hit2gap:hasState DistributionElementState <|-- ContinousState DistributionElementState <|-- DiscreteState IfcDistributionElement --> IfcBuildingElement: hit2gap:contains BuildingType <|-- Agricultural BuildingType <|-- Commercial BuildingType <|-- Residential BuildingType <|-- Educational BuildingType <|-- Industrial BuildingType <|-- Religious BuildingType <|-- Public BuildingType <|-- Transports IfcBuilding --> BuildingType: hit2gap:hasType BuildingAppliance <|-- StaticBuildingAppliance BuildingAppliance <|-- MobileBuildingAppliance StaticBuildingAppliance <|-- IfcFlowTerminal StaticBuildingAppliance <|-- Monitoring MobileBuildingAppliance <|-- Wereable BuildingAppliance --> BuildingAppliance: hit2gap:contains StaticBuildingAppliance --> IfcZone: hit2gap:isLocatedIn Monitoring --> BuildingAppliance: hit2gap:MeasureInputOutput IfcEnergyConversionDevice --> IfcZone: hit2gap:InputOutput StaticBuildingAppliance <|-- IfcFlowStorageDevice IfcFlowStorageDevice <|-- IfcElectricalFlowStorageDevice IfcFlowStorageDevice <|-- IfcTank StaticBuildingAppliance <|-- IfcFlowMovingDevice StaticBuildingAppliance <|-- IfcFlowController StaticBuildingAppliance <|-- IfcFlowTreatmentDevice StaticBuildingAppliance <|-- IfcEnergyConversionDevice Observation <|-- MobileBuildingApplianceLocationObservation MobileBuildingAppliance --> MobileBuildingApplianceLocationObservation: hit2gap:wasLocated BranchController <|-- IfcFlowController EnergyStorage <|-- IfcElectricalFlowStorageDevice ELBranch <|-- IfcFlowMovingDevice ELBranch <|-- IfcEnergyConversionDevice Wereable <|-- Smartwatch Wereable <|-- Smartphone Monitoring <|-- IfcSensor Monitoring <|-- IfcActuator Monitoring <|-- IfcAlarm Monitoring <|-- Meter IfcSpace <|-- Office IfcSpace <|-- CirculationArea IfcSpace <|-- WetArea IfcSpace <|-- ConferenceRoom IfcSpace <|-- Balcony IfcSpace <|-- Kitchen IfcSpace <|-- Toilets IfcSpace <|-- Bathroom IfcSpace <|-- RestRoom IfcSpace <|-- Canteen IfcSpace <|-- Cafeteria IfcSpace <|-- Room IfcSpace <|-- Desk IfcSpace <|-- OpenSpace IfcBuildingStorey <|-- Floor Floor <|-- Subterranean Floor <|-- Ground IfcDistributionElement <|-- IfcDistributionControlElement IfcDistributionControlElement <|-- IfcActuator IfcDistributionControlElement <|-- IfcAlarm IfcDistributionControlElement <|-- IfcController IfcDistributionControlElement <|-- IfcFlowInstrument IfcDistributionControlElement <|-- IfcProtectiveDeviceTrippingUnit IfcDistributionControlElement <|-- IfcSensor IfcDistributionControlElement <|-- IfcUnitaryControlElement PhysicalMedium <|-- Oil PhysicalMedium <|-- Gas PhysicalMedium <|-- Water PhysicalMedium <|-- Air PhysicalMedium <|-- Steam PhysicalMedium <|-- Radiation IfcFlowMovingDevice --> PhysicalMedium: hit2gap:transports IfcEnergyConversionDevice --> PhysicalMedium: hit2gap:consumes IfcEnergyConversionDevice --> PhysicalMedium: hit2gap:produces IfcFlowStorageDevice --> PhysicalMedium: hit2gap:stores IfcFlowController --> PhysicalMedium: hit2gap:controls IfcFlowTerminal --> PhysicalMedium: hit2gap:consumes IfcFlowInstrument --> IfcFlowInstrumentType: owl:equivalentClass IfcSensor --> IfcSensorType: owl:equivalentClass IfcActuator --> IfcActuatorType: owl:equivalentClass IfcAlarm --> IfcAlarmType: owl:equivalentClass IfcController --> IfcControllerType: owl:equivalentClass IfcElectricalFlowStorageDevice --> IfcElectricalFlowStorageDeviceType: owl:equivalentClass IfcTank --> IfcTankType: owl:equivalentClass @enduml
113d16c38410d248e9acac69cbc14369dc21fa42
ceac919769f874c588298e428ea1f657889ee27f
/BurgerStep2.puml
2f8e58682f9cd0a23dc4d4c0ff0424be77e5b43e
[]
no_license
aissatoubarryfab/TdBurger
22fcc77bf879826ab1eb6a148d6c4991db718e4c
36fc11c27c6235f82e482d5a603b328179e43b47
refs/heads/master
2023-08-14T02:31:07.072407
2021-09-21T10:41:08
2021-09-21T10:41:08
408,178,794
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,405
puml
@startuml classdiagram package Step2.api{ package money{ interface Product { price(): double } } package food{ interface Food100g{ calorie100g():double } } package Restauration{ interface FoodProduct extends Product,Food100g{ hasUniquePrice():bool } interface WeightedFoodProduct extends FoodProduct{ weight():double calorie():double } } package burger { enum FoodType implements FoodProduct { BEEF, WHITEFISH,BURGER, BARBECUE, BEARNAISE, DEEPFRIENDONIONS, CHEDDAR,TOMATO + price(): double +calorie100g():double +hasUniquePrice():bool } class Ingredient implements WeightedFoodProduct{ -weight:double +this(type:FoodType,weight:double) +calorie100g():double +weight():double +calorie():double +price():double +hasUniquePrice():bool } Ingredient *--> "-type" FoodType class Burger implements WeightedFoodProduct { - name: string + this(name: string, items: List<Ingredient>) + weight(): double + price(): double +calorie():double +calorie100g():double +hasUniquePrice():bool } Burger *-> "-items *" Ingredient } } @enduml
897210da0edecc16f668ca4be450fc08fa0481fa
326f0532299d6efcaec59d5a2cc95c31d9af9ef2
/src/com/atguigu/singleton/type8/type8.plantuml
49852180b3b2bac7aed512ec78677f5d0667205f
[]
no_license
srefp/design_pattern
4b45ceb0808a8ae98a007bc5b0e01825693dcf7b
b7ff2d80172c55848b8f59530da6ccca477dfd24
refs/heads/main
2023-01-19T06:12:14.495913
2020-11-24T08:48:53
2020-11-24T08:48:53
null
0
0
null
null
null
null
UTF-8
PlantUML
false
false
531
plantuml
@startuml title __TYPE8's Class Diagram__\n namespace com.atguigu.singleton { namespace type8 { enum Singleton { INSTANCE } } } namespace com.atguigu.singleton { namespace type8 { class com.atguigu.singleton.type8.SingletonTest08 { {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
2d124301ff719c69ec45e8fc432799f1a2372900
49201c6059aff7268f202bb61942cc3eb7ba462b
/ticketErrorHandling-class.puml
5b27fe9f2fbb1bd4f5497a89bded14b7debeee9a
[]
no_license
OzBenDev/designs
fdc614d5ceff22e14600d1614c7b206aec375a70
d22aa7238f080312bb9bded8ac77676cc5e630fd
refs/heads/master
2023-08-07T14:00:41.829442
2021-09-14T13:14:47
2021-09-14T13:14:47
null
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,157
puml
@startuml Class EventsViewModel observation abstract class EventsViewModel extends ViewModel { - val event = SingleLiveData<Event>() - val postRequest = SingleLiveData<Pair<StatementRequest, OnDataResponse<*>>>() + val onEvent: SingleLiveData<Event> + val onPostRequest: SingleLiveData<android.util.Pair<StatementRequest, OnDataResponse<*>>> + fun onEventCall(eventCall: Event) } class BaseChatHandler { + fun uploadFile() } class BaseChatUIHandler extends BaseChatHandler{ + fun <reified MODEL: EventsViewModel> observeLiveEvents() } class TicketViewModel extends EventsViewModel { - var filePathCallback + var filePath + fun setFilePathCallback(ValueCallback<Uri[]> filePathCallback) } class ArticleViewModel extends EventsViewModel BotChatUIHandler "creates" --down> TicketFragment TicketFragment "creates" --down> TicketViewModel BotChatUIHandler *--> BotChatHandler class BotChatHandler extends BaseChatHandler { + override fun uploadFile() } class BotChatUIHandler extends BaseChatUIHandler { + override fun uploadFile() } BotChatUIHandler "\nobserves" <|-.-.-.-|> TicketViewModel @enduml
170654aadd6e2a80c81e3fb7873419d89d5f62de
0496d40d0e7a44184665671cca35b315f7fc5067
/WealthHierarchy.puml
e6b143fd90ca1a49d103782f90ecefc678caca58
[]
no_license
andrewstanton1/csm10j-Hw02
9358645da7700fe94bda55cd160461ce1f51672b
1e30cc1f32721798a8984d8a4e2c123fbfce45fd
refs/heads/master
2016-08-12T05:09:03.766885
2015-11-10T10:12:55
2015-11-10T10:12:55
45,882,729
0
0
null
null
null
null
UTF-8
PlantUML
false
false
1,816
puml
@startuml annotation java.lang.Override class InterfaceDesign.BankAccount{ double holding String name BankAccount(String name, double holding) getAssetValue() toString() } class InterfaceDesign.Bond{ String name int quantity double price Bond(String name, int quantity, double price) getAssetValue() toString() } class InterfaceDesign.Car{ String name double price double financed Car(String name, double price, double financed) getAssetValue() getDebtAmount() toString() } class InterfaceDesign.House{ String name double marketValue double mortage House(String name, double market, double mortgage) getAssetValue() getDebtAmount() toString() } class InterfaceDesign.Stock{ String name int quantity double price Stock(String name, int quantity, double price) getAssetValue() toString() } class InterfaceDesign.Wealth{ List assetList List debtList Wealth() addAsset(Asset debt) getNetWorth() getTotalAssets() getTotalDebts() getAssetSummary() toString() } class java.util.ArrayList class java.util.List interface InterfaceDesign.Asset{ getAssetValue() } interface InterfaceDesign.Debt{ getDebtAmount() } InterfaceDesign.BankAccount ..> java.lang.Override InterfaceDesign.BankAccount --|> InterfaceDesign.Asset InterfaceDesign.Bond ..> java.lang.Override InterfaceDesign.Bond --|> InterfaceDesign.Asset InterfaceDesign.Car ..> java.lang.Override InterfaceDesign.Car --|> InterfaceDesign.Asset InterfaceDesign.Car --|> InterfaceDesign.Debt InterfaceDesign.House ..> java.lang.Override InterfaceDesign.House --|> InterfaceDesign.Asset InterfaceDesign.House --|> InterfaceDesign.Debt InterfaceDesign.Stock ..> java.lang.Override InterfaceDesign.Stock --|> InterfaceDesign.Asset InterfaceDesign.Wealth ..> java.lang.Override InterfaceDesign.Wealth ..> java.util.ArrayList InterfaceDesign.Wealth ..> java.util.List @enduml