query
stringlengths
9
43.3k
document
stringlengths
17
1.17M
metadata
dict
negatives
sequencelengths
0
30
negative_scores
sequencelengths
0
30
document_score
stringlengths
5
10
document_rank
stringclasses
2 values
Validate Slider Item values.
private function _validate($slider) { $exception = new InputException(); if (!\Zend_Validate::is($slider->getSlideritemTitle(), 'NotEmpty')) { $exception->addError(__(InputException::REQUIRED_FIELD, ['fieldName' => 'slideritem_title'])); } if ($exception->wasErrorAdded()) { throw $exception; } }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function validate()\r\n {\r\n if (empty($this->value)) {\r\n if ($this->isRequired()) {\r\n $this->addError(\"Please complete this field\");\r\n } else {\r\n return;\r\n }\r\n }\r\n\r\n if (is_string($this->value)) {\r\n $min = $this->getMetadata('@length', 'min');\r\n $max = $this->getMetadata('@length', 'max');\r\n\r\n if ($min !== null && strlen($this->value) < $min) {\r\n $this->addError(\"Minimum length is {$min} characters\");\r\n } else {\r\n if ($max !== null && strlen($this->value) > $max) {\r\n $this->addError(\"Maximum length is {$max} characters\");\r\n }\r\n }\r\n }\r\n\r\n if (is_int($this->value)) {\r\n $min = $this->getMetadata('@range', 'min');\r\n $max = $this->getMetadata('@range', 'max');\r\n\r\n if (($min !== null && $this->value < $min) || ($max !== null && $this->value > $max)) {\r\n $this->addError(\"Please enter a value in the range {$min} to {$max}\");\r\n }\r\n }\r\n }", "private function validateItems($items)\n {\n $rules = [];\n for ($cont = 1; $cont < $this->itemsCount; $cont++) {\n $rules = array_merge($rules, [\n 'itemId'.$cont => 'required|max:100',\n 'itemDescription'.$cont => 'required|max:100',\n 'itemAmount'.$cont => 'required|numeric|between:0.00,9999999.00',\n 'itemQuantity'.$cont => 'required|integer|between:1,999',\n ]);\n }\n\n $this->validate($items, $rules);\n }", "public function validate() {\n if (!empty($this->value)) {\n parent::validate();\n }\n }", "function validate_values($dbc, $values) {\n\t$errors = array();\n\n\tif (empty($values['item']))\n\t\t$errors[] = \"<li>Item cannot be empty\";\n\tif (empty($values['owner']) && empty($values['finder']))\n\t\t$errors[] = \"<li>Name cannot be empty\";\n\tif (get_location_id($dbc, $values['building']) == -1)\n\t\t$errors[] = \"<li>No matching location found\";\n\tif (empty($values['description']))\n\t\t$errors[] = \"<li>Description cannot be empty\";\n\t\n\tif (empty($errors))\n\t\treturn 0;\n\treturn $errors;\n}", "function validateValues()\n {\n global $_THEME;\n \n foreach ($this->required AS $val) {\n if (!isset($this->values[$val])) {\n $this->errors[$val] = true;\n }\n }\n \n if (DEBUG) {\n if (is_array($this->errors)) {\n foreach ($this->errors as $key => $val) {\n $_THEME->addToDebug(\"DataObject::validateValues\", \"errors[$key]<br>\");\n }\n }\n }\n \n return $this->errors;\n }", "protected function validateItemTotal() {\n\t}", "function value_validate(&$form, &$form_state) {\n if ($this->options['type'] != 'textfield') {\n return;\n }\n\n $values = drupal_explode_tags($form_state['values']['options']['value']);\n $tids = $this->validate_term_strings($form['value'], $values);\n\n if ($tids) {\n $form_state['values']['options']['value'] = $tids;\n }\n }", "function oa_worktracker_form_element_validate_allowed_values($variable) {\n $numeric = isset($variable['numeric']) ? (bool)$variable['numeric'] : FALSE;\n foreach ($variable['value']['options'] as $key => $value) {\n if ($numeric && !is_numeric($key)) {\n return t('The key %key is not a number.', array('%key' => $key));\n }\n if (strpos($value, '|') !== FALSE) {\n return t(\"Values cannot contain the pipe character '|'.\");\n }\n }\n if ($numeric && !is_numeric($variable['value']['default_value'])) {\n return t('The default value must be a number.');\n }\n}", "abstract public function validateValue($value);", "public function validateValue($value);", "public function validate()\n {\n \n if((($this->value === null || strlen($this->value) === 0) && $this->required) || \n !preg_match_all($this->expVal, $this->value))\n {\n throw $this->getError();\n }\n }", "public function validate_custom_sequence_item($item_data_to_validate)\n {\n $item_valid = TRUE;\n\n //check input data\n if (!isset($item_data_to_validate['sequence_id']) OR trim($item_data_to_validate['sequence_id']) == '') {\n IbHelpers::set_message('Please Select a Sequence for This Sequence Item', 'error');\n $item_valid = FALSE;\n }\n\n // Check image - Custom Scroller Sequence - Item should have an Image to be displayed\n if (!isset($item_data_to_validate['image']) OR trim($item_data_to_validate['image']) == '') {\n IbHelpers::set_message('Please Select an Image for This Sequence Item', 'error');\n $item_valid = FALSE;\n }\n\n // Check if image is passed\n if (!isset($item_data_to_validate['image_location']) OR trim($item_data_to_validate['image_location']) == '') {\n IbHelpers::set_message('Image Location for This Sequence Item is REQUIRED.', 'error');\n $item_valid = FALSE;\n }\n\n // Check Links - NOTE: sequence_item_link_url is NOT Required but we will have to validate it when EXTERNAL Link is used\n if (trim($item_data_to_validate['link_type']) != '' AND in_array($item_data_to_validate['link_type'], array('internal', 'external'))) {\n switch ($item_data_to_validate['link_type']) {\n // For No Link and\n case 'none':\n case 'internal':\n // @TODO: If any Validation is REQUIRED -=> add validation rules for this Case. 'none' should NOT have any validation on the: sequence_item_link_url\n break;\n case 'external':\n // item_link_url is NOT REQUIRED, BUT when provided we will have to VALIDATE if is in CORRECT Format\n if (trim($item_data_to_validate['link_url']) != '' AND filter_var($item_data_to_validate['link_url'], FILTER_VALIDATE_URL) == FALSE) {\n IbHelpers::set_message(\n 'The Specified External Link URL: \"' . $item_data_to_validate['link_url'] . '\" is NOT VALID URL!<br />'\n . 'An EXAMPLE Valid URL is: \"http://www.example.com\".', 'error');\n $item_valid = FALSE;\n }\n break;\n // There specified Link Type is NOT Maintained by the System\n default:\n IbHelpers::set_message('The Specified Link Type: \"' . $item_data_to_validate['link_type'] . '\" is NOT MAINTAINED by the System', 'error');\n $item_valid = FALSE;\n break;\n }\n }\n\n // Return\n return $item_valid;\n }", "function vslider_settings_validate($input) {\n\t$input['width'] = intval($input['width']);\n\t$input['height'] = intval($input['height']);\n\treturn $input;\n}", "public function validateValue($value = null)\n {\n // do NOT call parent validateValue here - it will always fail !!!\n //if (!parent::validateValue($value)) return false;\n xarLog::message(\"DataProperty::validateValue: Validating property \" . $this->name, xarLog::LEVEL_DEBUG);\n\n // If we allow values not in the options, accept the current value and return\n if ($this->validation_override) {\n $this->value = $value;\n return true;\n }\n\n $value = $this->getSerializedValue($value);\n $validlist = array();\n $options = $this->getOptions();\n foreach ($options as $option) {\n array_push($validlist,$option['id']);\n }\n // check if we allow values other than those in the options\n if (!$this->validation_override) { \n foreach ($value as $val) {\n if (!in_array($val,$validlist)) {\n if (!empty($this->validation_override_invalid)) {\n $this->invalid = xarML($this->validation_override_invalid);\n } else {\n $this->invalid = xarML('unallowed selection: #(1) for #(2)', $val, $this->name);\n }\n xarLog::message($this->invalid, xarLog::LEVEL_ERROR);\n $this->value = null;\n return false;\n }\n }\n }\n $this->value = serialize($value);\n return true;\n }", "public function beforeValidate()\n {\n\n $parameters = $this->parameters;\n $urls = $this->urls;\n\n // Validate Parameters repeater.\n foreach ($parameters as $key => $value) {\n $this->rules['parameters.'. $key .'.dropdown'] = 'required';\n $this->rules['parameters.'. $key .'.value'] = 'required';\n\n $this->attributeNames['parameters.'. $key .'.dropdown'] = 'Dropdown';\n $this->attributeNames['parameters.'. $key .'.value'] = 'Value';\n }\n\n // Validate Url repeater.\n foreach ($urls as $key => $value) {\n $this->rules['urls.'. $key .'.urls'] = 'required';\n\n $this->attributeNames['urls.'. $key .'.urls'] = 'Url';\n }\n\n }", "protected function checkValidation() {\n $this->_sanitizedValues = $this->_val->validateInput();\n $this->_missingValues = $this->_val->getMissing();\n $this->_errors = $this->_val->getErrors();\n $this->_submittedValues = $this->_val->getSubmitted();\n }", "public static function validateAllowedValues($element, FormStateInterface $form_state) {\n $values = static::extractAllowedValues($element['#value'], $element['#field_has_data']);\n\n if (!is_array($values)) {\n $form_state->setError($element, t('Allowed values list: invalid input.'));\n }\n else {\n // Check that keys are valid for the field type.\n foreach ($values as $key => $value) {\n if ($error = static::validateAllowedValue($key)) {\n $form_state->setError($element, $error);\n break;\n }\n }\n\n // Prevent removing values currently in use.\n if ($element['#field_has_data']) {\n $lost_keys = array_keys(array_diff_key($element['#allowed_values'], $values));\n if (_options_values_in_use($element['#entity_type'], $element['#field_name'], $lost_keys)) {\n $form_state->setError($element, t('Allowed values list: some values are being removed while currently in use.'));\n }\n }\n\n $form_state->setValueForElement($element, $values);\n }\n }", "public function validate()\n\t{\n\t\t// is one of the valid options\n\t\tif (!in_array($this->value, $this->getOptionValues()))\n\t\t{\n\t\t\treturn \"Invalid selection made for {$this->title}\";\n\t\t}\n\n\t\treturn true;\n\t}", "function validate($value) {\n parent::validate($value);\n if(!$value)\n return; # blank is ok\n if(!$this->valid_value($value)) {\n $msg = sprintf( $this->error_messages['invalid_choice'], $value);\n throw new ValidationError($msg);\n }\n }", "protected function _validate()\n\t{\n\t\t$this->_validate = Validate::factory($this->_values);\n\t\t\n\t\t// Trim all fields\n\t\t$this->_validate->filter(TRUE, 'trim');\n\t\t\n\t\t$fields = array_keys($this->_values);\n\t\tforeach ($fields as $field)\n\t\t{\n\t\t\tif ( ! empty($this->_rules[$field]))\n\t\t\t{\n\t\t\t\t$this->_validate->rules($field, $this->_rules[$field]);\n\t\t\t}\n\t\t}\n\t\t\n\t\t// Set rules for required fields.\n\t\tforeach ($this->_required_fields[$this->_type] as $required_field)\n\t\t{\n\t\t\t// Must have a value.\n\t\t\t$this->_validate->rule($required_field, 'not_empty');\n\t\t\t\n\t\t\t// Make sure the other rules for this required field have been added.\n\t\t\tif ( ! in_array($required_field, $fields))\n\t\t\t{\n\t\t\t\t$this->_validate->rules($field, $this->_rules[$required_field]);\n\t\t\t}\n\t\t}\n\t\t\n\t\t// TODO: Require fields based on credit card or bank account option.\n\t\t\n\t\t// Placeholder for transaction errors\n\t\t$this->_validate->rule('transaction', TRUE);\n\t}", "function discount_admin_content_type_validate($form, &$form_state) {\n $vat_is_enabled = (int) $form_state['values']['discount_vat_state'];\n if (!empty ($vat_is_enabled) && $vat_is_enabled) {\n $vat_value = (float) $form_state['values']['discount_vat_value'];\n if ($vat_value <= 0) {\n form_set_error('discount_vat_value', t('Please enter a valid figure for the VAT.'));\n }\n }\n}", "public function rules()\n {\n return [\n 'name' => [\n 'required:slider_units',\n 'max:255'\n ]\n ];\n }", "function uc_promotions_form_validate($form, &$form_state){\n if(!is_numeric($form_state['values']['price_limit'])){\n form_set_error('', t(\"Price limit require only numerical values\"));\n }\n}", "protected static function validateAllowedValue($option) {}", "public function rules()\n {\n return [\n 'value' => 'required|numeric|min:0|max:10',\n 'text' => 'required|min:3|max:250'\n ];\n }", "protected function _validateItem()\n {\n if ($this->valid()) {\n if ($this->hasChildren() && $this->getDirectoryValidationCallback()) {\n $this->_validate($this->getDirectoryValidationCallback());\n } elseif (is_file($this->getRealPath()) && $this->getFileValidationCallback()) {\n $this->_validate($this->getFileValidationCallback());\n }\n }\n }", "protected function isValueValid(): bool\n {\n return !in_array($this->value, $this->params);\n }", "public static function valueIsValid($_value)\n\t{\n\t\treturn in_array($_value,array(self::VALUE_SHOW,self::VALUE_HIDE));\n\t}", "public function validate_dynamic_properties($search_query=null,$num_items=null,$image_duration=null) {\n\n $this->user->require_permission('create_own_playlists or manage_playlists');\n\n if($search_query===null) $search_query = $this->data('search_query');\n\n $search_query = (array) $search_query; // might be object... want to make consistent.\n\n if($num_items===null) $num_items = trim($this->data('num_items'));\n if($num_items_all===null) $num_items_all = trim($this->data('num_items_all'));\n if($image_duration===null) $image_duration = trim($this->data('image_duration'));\n\n $validation = $this->PlaylistModel('validate_dynamic_properties',$search_query,$num_items,$num_items_all,$image_duration);\n\n if($validation[0]==false) return array(false,array('Playlist Dynamic Item Properties',$validation[1]));\n\n if($num_items_all) $num_items = null; // duration function uses empty num_items indicate 'all items' mode.\n\n // valid, also return some additional information.\n $validation[2]=array('duration'=>$this->PlaylistModel('dynamic_selection_duration',$search_query,$num_items,$image_duration));\n return $validation;\n\n }", "public function is_valid() {\n\t\treturn AMVE_Item::is_valid( $this->item );\n\t}" ]
[ "0.60927606", "0.60622895", "0.6043154", "0.59860444", "0.5937931", "0.59025246", "0.58314216", "0.580569", "0.57537395", "0.57207316", "0.5691339", "0.56453323", "0.55849767", "0.55595946", "0.5524604", "0.5523375", "0.5518693", "0.5518165", "0.5503672", "0.5438802", "0.5430265", "0.5411658", "0.5394537", "0.53897715", "0.53856564", "0.53824216", "0.53696793", "0.5338561", "0.53293794", "0.5324224" ]
0.62790585
0
Return tag name meter.
public function getTagName () { return 'meter'; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function getName() {\n\t\treturn $this->tag->getId();\n\t}", "public function getName()\n {\n return $this->tag->getName();\n }", "public static function Name() \n\t{ \n\t\treturn (string)self::tag('name'); \n\t}", "public function getTagName()\n {\n return $this->tag_name;\n }", "protected function __get_name()\n\t{\n\t\treturn $this->element->tagName;\n\t}", "function get_name()\n {\n //--(MAGIC-PclTrace)--//PclTraceFctStart(__FILE__, __LINE__, \"PclXmlTag::get_name\", \"\");\n \n $this->error_reset();\n $v_result = $this->name;\n \n //--(MAGIC-PclTrace)--//PclTraceFctEnd(__FILE__, __LINE__, $v_result);\n return $v_result;\n }", "public function getTag($name);", "public function getTagName();", "public function getMetricName()\n {\n return $this->metric_name;\n }", "public function getNameTagName()\n {\n return $this->nameTagName;\n }", "public function getMetricName()\n {\n $w = self::round5Int(round($this->getWidth()*self::INCH));\n $profil = (self::INCH*($this->getHeigth() - $this->getDisk())/2);\n $percent = self::round5Int(round($profil*100/$w));\n $cordSym = self::getCordSymbol($this->getCord());\n $d = $this->getDisk();\n return $w.'/'.$percent.$cordSym.$d;\n }", "public function getName()\n {\n return Config::get('lorekeeper.item_tags.' . $this->tag.'.name');\n }", "public function getTagName() {\n\t\t$tagName = $this->tsValue('tagName');\n\t\tif ($tagName === NULL) {\n\t\t\t$tagName = 'div';\n\t\t}\n\t\treturn $tagName;\n\t}", "public function getNm()\r\n {\r\n\t\t$Result = $this->getData(PARAM_KERNEL_ROUTE_TAG_NM);\r\n\t\treturn $Result;\r\n }", "public function obtainTagName ()\n {\n $invoker = $this->getInvoker();\n\n /**\n * Allow to generete tags for new objects - it could already have required\n * values to generate valid key\n *\n * One difference, getData could returns (objects) inside array\n */\n $objectArray = $invoker->isNew() ? $invoker->getData() : $invoker->toArray(false);\n\n return sfCacheTaggingToolkit::obtainTagName($this, $objectArray);\n }", "public function getStatisticName() {\n\t\treturn $this->statisticName;\n\t}", "function wxr_tag_name( $tag ) {\n\t\t\tif ( empty( $tag->name ) )\n\t\t\t\treturn;\n\n\t\t\techo '<wp:tag_name>' . wxr_cdata( $tag->name ) . '</wp:tag_name>';\n\t\t}", "public function getTag() : string\n {\n return $this->tag;\n }", "public function getName()\n\t{\n\t\treturn Craft::t('Tags');\n\t}", "public function getTag()\n {\n return isset($this->tag) ? $this->tag : '';\n }", "function getName() { }", "function getName(){\n\t\tif($this->name==\"\") {\n\t\t\t$this->obtainName();\n\t\t}\n\t\treturn $this->name;\n\t}", "public function getName()\n {\n $this->scan();\n return $this->name;\n }", "public function getTagName() {\n if ($this->isTag()) {\n $this->getRefName();\n } else {\n return NULL;\n }\n }", "protected function _get_name() {\n\t\treturn $this->getData( 'name' );\n\t}", "function getName()\n {\n return $this->translate(\"Interstitial or Floating DHTML Tag\");\n }", "public function get_name();", "public function get_name();", "public function get_name();", "public function getName(){\n return $this->info['name'];\n }" ]
[ "0.6861432", "0.66910475", "0.6687124", "0.66213053", "0.655948", "0.6492754", "0.64503735", "0.6438952", "0.63801515", "0.63478464", "0.6282871", "0.627694", "0.62641996", "0.6259315", "0.62069225", "0.6143274", "0.6113842", "0.61093056", "0.6099899", "0.6087548", "0.6052743", "0.6052501", "0.6027608", "0.5968926", "0.5963964", "0.5963765", "0.5949543", "0.5949543", "0.5949543", "0.5941563" ]
0.79336107
0
Get the value of correoDeRecuperacion
public function getCorreoDeRecuperacion() { return $this->correoDeRecuperacion; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function getCorreo(){\n\t\treturn $this->correo;\n\t}", "public function getCorreo(){\n return $this->correo;\n }", "public function getCorreo()\n {\n return $this->correo;\n }", "public function getCorreo()\n {\n return $this->correo;\n }", "public function getCorreo()\n {\n return $this->correo;\n }", "public function getCorreo()\n {\n return $this->correo;\n }", "public function getCorreo()\r\n {\r\n return $this->correo;\r\n }", "public function getUsuario_correo(){\n return $this->usuario_correo;\n }", "public function getUsuarioCorreo()\n {\n return $this->usuarioCorreo;\n }", "public function getCorrelativoValorByType($tipo_correlativo)\r\n {\r\n \r\n include \"sesion/seguridad/open_conn.php\";\r\n $conn = mysql_connect(\"$host\", \"$username\", \"$password\")or die(\"cannot connect\"); \r\n mysql_select_db(\"$db_name\")or die(\"cannot select DB\");\r\n //comprobamos la conección de la base de datos\r\n $ssql2 =\"SELECT * FROM correlativo c WHERE c.Tipo = '$tipo_correlativo'\";\r\n //variable que almacenará el numero de correlativo\r\n mysql_query(\"SET NAMES 'utf8'\");\r\n $correlativo = mysql_fetch_assoc(mysql_query($ssql2,$conn)); \r\n return $correlativo['Valor']; \r\n }", "public function getValorRecebido()\n {\n return $this->valor_principal;\n }", "public function getValorCorrigido() {\n return $this->valor_corrigido;\n }", "public function getTelefono(){\n\t\treturn $this->telefono;\n\t}", "public function select_correo($correo) {\n\t\t$correo = mysqli_real_escape_string($this->conexion, $correo);\n\n\t\t$consulta_datos =\"SELECT * FROM persona WHERE correo = '\" . $correo . \"' LIMIT 1 \";\n\n\t\t$resul = mysqli_query($this->conexion, $consulta_datos);\n\n\t\tif ($resul->num_rows == 0) {\n\t\t\t$this->resultado = 0;\n\t\t} else {\n\t\t\twhile ($row = mysqli_fetch_array($resul)) {\n\t\t\t\t$this->resultado[] = $row;\n\t\t\t}\n\t\t}\n\t\treturn $this->resultado;\n\t}", "public function getTel_cliente()\n {\n return $this->tel_cliente;\n }", "public function getCreditoresiduo()\n {\n return $this->creditoresiduo;\n }", "public function getTelefono(){\n return $this->telefono;\n }", "public function getReceita()\n {\n return $this->getModel()->getValor(\"receita\");\n }", "public function getTelefono()\n {\n return $this->telefono;\n }", "public function getTelefono()\n {\n return $this->telefono;\n }", "public function getTelefono()\n {\n return $this->telefono;\n }", "public function getTelefono()\n {\n return $this->telefono;\n }", "public function getTelefono()\r\n {\r\n return $this->telefono;\r\n }", "public function getTelefono()\r\n {\r\n return $this->telefono;\r\n }", "public function getTelefono()\r\n {\r\n return $this->telefono;\r\n }", "public function getCittaRicerca() {\n if (isset($_REQUEST['citta_residenza_ricerca'])) {\n return $_REQUEST['citta_residenza_ricerca'];\n } else\n return 0;\n }", "public function getCittaArrivoRicerca() {\n if (isset($_REQUEST['citta_arrivo_ricerca'])) {\n return $_REQUEST['citta_arrivo_ricerca'];\n } else\n return 0;\n }", "public function getCorreo_distribuidor()\n {\n return $this->correo_distribuidor;\n }", "public function getReapCActividad()\n {\n return $this->reap_c_actividad;\n }", "public function getCorrelationId(): ?string\n {\n return $this->getProp('correlation_id');\n }" ]
[ "0.80430067", "0.790495", "0.7819014", "0.7819014", "0.7819014", "0.7819014", "0.7809027", "0.7465397", "0.7215827", "0.68194574", "0.6689572", "0.6561539", "0.6449682", "0.6422456", "0.63514626", "0.63282365", "0.6290766", "0.6216222", "0.6178086", "0.6178086", "0.6178086", "0.6178086", "0.61601365", "0.61601365", "0.61324656", "0.6127368", "0.6089802", "0.6077415", "0.60492486", "0.60458505" ]
0.7937296
1
Get the value of cumpleanos
public function getCumpleanos() { return $this->cumpleanos; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "static function POUCES_TO_CM($pouces){\n\t\treturn $pouces * self::$CM_POUCES;\n\t}", "public function getPuce()\n {\n return $this->puce;\n }", "public function getMaxcou()\n {\n return $this->maxcou;\n }", "private function getComission($value)\n {\n $userType = $this->lastEntry[\"userType\"];\n $operation = $this->lastEntry[\"operation\"];\n $multiplier =\n $this->config[\"comissions\"][$userType][$operation][\"multiplier\"];\n return $value * $multiplier;\n }", "public function getCuloare()\n {\n return $this->culoare;\n }", "public function getCupo()\r\n {\r\n return $this->cupo;\r\n }", "public function getCintura() {\n return $this->iCintura;\n }", "public function getcpm(){\n\n return $this->getCookieProyectoM();\n }", "public function getcpm(){\n\n return $this->getCookieProyectoM();\n }", "public function RiesgoClasificacionAValor()\n {\n $valor = 0;\n \n switch ($this->clasificacionRcvg) {\n case \"BAJO\":\n $valor = 1;\n break;\n \n case \"MODERADO\":\n $valor = 2;\n break;\n \n case \"ALTO\":\n $valor = 3;\n break;\n \n case \"MUY ALTO\":\n $valor = 4;\n break;\n \n default:\n break;\n }\n \n return($valor);\n }", "function _get_value($value=NULL){\r\r\n\t\t// init\r\r\n\t\t$value_is = array();\r\r\n\t\t// default\r\r\n\t\t$value_is['options'] = 'flat';\r\r\n\t\t$value_is['flat'] = '';\r\r\n\t\t$value_is['percent'] = '';\r\r\n\t\t$value_is['sub_pack']['cost'] = '';\r\r\n\t\t$value_is['sub_pack']['duration_unit'] = 1;\t\t\r\r\n\t\t$value_is['sub_pack']['duration_type'] = 'd';\r\r\n\t\t$value_is['sub_pack']['membership_type'] = '';\r\r\n\t\t$value_is['sub_pack']['num_cycles'] = 0;\r\r\n\t\t$value_is['sub_pack']['num_cycles_limited'] = 99;\t\t\t \r\r\n\t\t$value_is['sub_pack_trial']['cost'] = '';\t\r\r\n\t\t$value_is['sub_pack_trial']['duration_unit'] = 1;\t\r\r\n\t\t$value_is['sub_pack_trial']['duration_type'] = 'd';\t\t\t\r\r\n\t\t$value_is['sub_pack_trial']['num_cycles'] = 1;\r\r\n\t\t// get \r\r\n\t\tif(!is_null($value)){\r\r\n\t\t\t// parse\r\r\n\t\t\t$value_is['options'] = mgm_get_coupon_type($value);\r\r\n\t\t\t// mgm_log($value_is['options'], __FUNCTION__);\r\r\n\t\t\t// set\r\r\n\t\t\tswitch($value_is['options']){\r\r\n\t\t\t\tcase 'flat':\r\r\n\t\t\t\t\t// values\r\r\n\t\t\t\t\t$values = mgm_get_coupon_values('flat', $value);\r\r\n\t\t\t\t\t// set\r\r\n\t\t\t\t\t$value_is['flat'] = $values['value'];\r\r\n\t\t\t\tbreak;\r\r\n\t\t\t\tcase 'percent':\r\r\n\t\t\t\t\t// values\r\r\n\t\t\t\t\t$values = mgm_get_coupon_values('percent', $value);\r\r\n\t\t\t\t\t// set\r\r\n\t\t\t\t\t$value_is['percent'] = $values['value'];\r\r\n\t\t\t\tbreak;\r\r\n\t\t\t\tcase 'sub_pack_bc':// with billing cycle\r\r\n\t\t\t\tcase 'sub_pack':// without billing cycle\r\r\n\t\t\t\t\t// values\r\r\n\t\t\t\t\t$values = mgm_get_coupon_values('sub_pack', $value);\r\r\n\t\t\t\t\t// mgm_log($values, __FUNCTION__);\r\r\n\t\t\t\t\t// set value\r\r\n\t\t\t\t\t$value_is['sub_pack']['cost'] = $values['new_cost'];\r\r\n\t\t\t\t\t$value_is['sub_pack']['duration_unit'] = $values['new_duration'];\r\r\n\t\t\t\t\t$value_is['sub_pack']['duration_type'] = strtolower($values['new_duration_type']);\r\r\n\t\t\t\t\t$value_is['sub_pack']['membership_type'] = strtolower(str_replace('-', '_', $values['new_membership_type']));\r\r\n\t\t\t\t\t// billing cycle\r\r\n\t\t\t\t\tif(isset($values['new_num_cycles'])){\r\r\n\t\t\t\t\t\t// options\r\r\n\t\t\t\t\t\t$value_is['options'] = 'sub_pack_bc';\r\r\n\t\t\t\t\t\t// limited cycle\r\r\n\t\t\t\t\t\tif($values['new_num_cycles'] > 1){\r\r\n\t\t\t\t\t\t\t$value_is['sub_pack']['num_cycles'] = 2;\r\r\n\t\t\t\t\t\t\t$value_is['sub_pack']['num_cycles_limited'] = $values['new_num_cycles'];\r\r\n\t\t\t\t\t\t}else{\r\r\n\t\t\t\t\t\t// ongoing or one-time\r\r\n\t\t\t\t\t\t\t$value_is['sub_pack']['num_cycles'] = (int)$values['new_num_cycles'];\r\r\n\t\t\t\t\t\t}\t\r\r\n\t\t\t\t\t}else{\r\r\n\t\t\t\t\t\tunset($value_is['sub_pack']['num_cycles']);// = 3;\r\r\n\t\t\t\t\t}\t\t\t\t\r\r\n\t\t\t\tbreak;\r\r\n\t\t\t\tcase 'sub_pack_trial':\r\r\n\t\t\t\t\t// values\r\r\n\t\t\t\t\t$values = mgm_get_coupon_values('sub_pack_trial', $value);\t\t\t\t\t\t\t\r\r\n\t\t\t\t\t// set value\t\t\t\r\r\n\t\t\t\t\t$value_is['sub_pack_trial']['cost'] = $values['new_cost'];\r\r\n\t\t\t\t\t$value_is['sub_pack_trial']['duration_unit'] = $values['new_duration'];\r\r\n\t\t\t\t\t$value_is['sub_pack_trial']['duration_type'] = strtolower($values['new_duration_type']);\r\r\n\t\t\t\t\t$value_is['sub_pack_trial']['num_cycles'] = $values['new_num_cycles'];\r\r\n\t\t\t\tbreak;\r\r\n\t\t\t}\r\r\n\t\t}\t\r\r\n\t\t// return\r\r\n\t\treturn $value_is;\r\r\n\t}", "public function getValorOutrosCreditos()\n {\n if (\\Cnab\\Banco::CEF == $this->_codigo_banco) {\n return 0;\n } else {\n return $this->valor_outros_creditos;\n }\n }", "public function getReapCEvaluacion()\n {\n return $this->reap_c_evaluacion;\n }", "public function getCohumulone()\n {\n return $this->cohumulone;\n }", "public function getCouleur()\n {\n return $this->couleur;\n }", "public function getCouleur()\n {\n return $this->couleur;\n }", "public function getCouleur()\n {\n return $this->couleur;\n }", "public function getCouleur() {\n return strval($this->couleur);\n }", "public function getCouleur()\n {\n return $this->_couleur;\n }", "public function getPrezo() {\r\n $prezo=0;\r\n foreach ($this->produtos as $produto) {\r\n $prezo += $produto->getPVP() * $this->unidadesProdutos[\"{$produto->getCodigo()}\"];\r\n }\r\n return $prezo;\r\n }", "public function getSlepani() {\n return $this->uslepu;\n }", "public function getPcDifusion(){\n\t\treturn $this->pc_difusion;\n\t}", "function bombeProche(){\r\n\t\t\treturn $this->bombeP;\r\n\t\t}", "public function getCoste()\n {\n return $this->coste;\n }", "public function getUPC(){\n\t\treturn $this->upc;\n\t}", "public function getPrecioCat()\n {\n return $this->precioCat;\n }", "public function cnrps()\n{\nreturn $this->cnrps;\n}", "protected function get_cuando_cambia_valor()\n\t{\n\t\t//--- Se llama a $this->objeto_js para que los ML se posicionen en la fila correcta\n\t\t$js = $this->objeto_js().\";\".$this->cuando_cambia_valor;\t\t\n\t\treturn $js;\n\t}", "function comune($cm)\n {\n return $cm;\n }", "public function obtenerValor() {\n\t\treturn $this->pago->PRECIO->PRECIO;\n\t}" ]
[ "0.63397485", "0.61532336", "0.614661", "0.61271614", "0.61039203", "0.60804915", "0.60318494", "0.5997325", "0.5997325", "0.592274", "0.59078896", "0.59034014", "0.58930135", "0.58302456", "0.58184063", "0.58184063", "0.58184063", "0.5789828", "0.5766855", "0.56744164", "0.564886", "0.5645945", "0.56449866", "0.56219774", "0.5619914", "0.5616827", "0.5616395", "0.56152755", "0.55970895", "0.5590724" ]
0.6907929
0
Set the value of cumpleanos
public function setCumpleanos($cumpleanos) { $this->cumpleanos = $cumpleanos; return $this; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function setCM(){\n\t\t$db=$this->db;\n\t\t$sql=\"UPDATE oneri.c_monetario SET totale_noscomputo = round(coalesce(sup_cessione*$this->cm_mq,0),2),totale = round(coalesce(sup_cessione*$this->cm_mq,0),2)-coalesce(scomputo,0) WHERE pratica=$this->pratica;\";\n\n\t\t$db->sql_query($sql);\n\t}", "function setOC(){\n\t\t$db=$this->db;\n\t\t$sql=\"UPDATE oneri.oneri_concessori SET totale = coalesce(oneri_urbanizzazione,0) + coalesce(oneri_costruzione,0)-(coalesce(scomputo_urb,0)+coalesce(scomputo_costr,0)) WHERE pratica=$this->pratica;\";\n\t\t$db->sql_query($sql);\n\t}", "public function getCumpleanos()\r\n {\r\n return $this->cumpleanos;\r\n }", "function setCarrera($val)\r\n\t { $this->Carrera=$val;}", "public function cortesia()\n {\n $this->costo = 0;\n }", "private function _dataDeCoop($value)\r\n {\r\n # $value es el número de prestacion en Coop\r\n\r\n $strConn = \"https://isp.coop5.com.ar/buscarPrest.php?id=27&toquen=76a850bcefcceb388f751271da3c6150&prest=\".$value;\r\n\r\n $dataJson = file_get_contents($strConn);\r\n $dataArr = json_decode($dataJson, true);\r\n\r\n $this->_nombre = $dataArr['nombre'];\r\n $this->_direccion = $dataArr['calle_nro'];\r\n $this->_localidad = $dataArr['localidad'];\r\n $this->_telefono = $dataArr['telefono'];\r\n $this->_planIptv = $dataArr['planIptv'];\r\n }", "private function setCnabBancos() {\n\n $bancos = $this->divideBancos();\n foreach ($bancos as $key => $value) {\n\n $this->setDadosBanco($this->Model_Banco->get($key)[0]);\n $this->setDadosContaBancaria($this->Model_Conta_Bancaria->get(\n array(\n Model_Conta_Bancaria::EMPRESA => $this->getPerguntaEmpresa(),\n Model_Conta_Bancaria::BANCO => $key,\n )\n )[0]\n );\n\n $this->setBancoAtual($key);\n\n if ($this->getDadosBanco()[Model_Banco::COD] == 237 && !$this->layout240) {\n $this->cnab200();\n } else {\n $this->cnab240();\n }\n\n $this->finalizaCnab();\n }\n }", "public function setCodcli($data)\n {\n self::$codcli = $data;\n }", "public function setCupo($cupo)\r\n {\r\n $this->cupo = $cupo;\r\n\r\n return $this;\r\n }", "function setFidiCM(){\n\t\t$db=$this->db;\n\t\t$sql=\"UPDATE oneri.c_monetario SET fideiussione=(SELECT totale-coalesce(versato,0) from oneri.rate where pratica=$this->pratica and rata=6) WHERE pratica=$this->pratica;\";\n\t\t//echo $sql; \n\t\t$db->sql_query($sql);\n\t}", "public function setCnrps($cnrps)\n{\n if (!is_integer($cnrps) || empty($cnrps))\n {\n $this->erreurs[] = self::CNRPS_INVALIDE;\n }\n\n$this->cnrps = $cnrps;\n}", "public function setvalue($value){\n\t\t$this->value = $value;\n\t}", "public function setconduct() {\n\n $results = $this->crud->read([\"crud\" => [\"aim\",\"conduct_on\"]], 'filename = \"'. $_COOKIE['chatfile'] . '\"');\n if ($results->num_rows == 1)\n {\n $row = $results->fetch_assoc();\n $d = $row['conduct_on'];\n \n // Only a store can set the conduct flag\n // Stores are always the 'aim' column\n // People aren't called by stores, it's vice versa\n ($d == 1) ? $bool = 0 : $bool = 1;\n setcookie(\"conductOn\", $bool);\n $this->crud->update(\"chat\", [\"conduct_on\" => $bool], 'filename = \"'. $_COOKIE['chatfile'] . '\"');\n }\n }", "public function setPerezoso($val){\n \t\t$this->_perezoso = $val;\n \t}", "public function setCheckoutData()\n {\n $this->waitForElement(\"product_price_set\");\n CheckoutData::$unitPrice = CheckoutData::sanitizeFloatInput($this->getElement(\"product_price_set\")->getText());\n CheckoutData::$quantity = 1;\n CheckoutData::$shipping = 2;\n CheckoutData::$totalProducts = CheckoutData::$unitPrice * CheckoutData::$quantity;\n CheckoutData::$total = CheckoutData::$totalProducts + CheckoutData::$shipping;\n CheckoutData::$productName = \"Printed Dress\";\n }", "public function set($value) {\n $this->value = number_trim(\\bcadd($value, \"0\", $this->scale));\n }", "function set_values(){\n echo $this->door_count = 10;\n }", "static function POUCES_TO_CM($pouces){\n\t\treturn $pouces * self::$CM_POUCES;\n\t}", "public function setCC() {\n }", "public function setCC() {\n }", "public function setCuloare($culoare)\n {\n $this->culoare = $culoare;\n }", "public function setUpc(?string $upc): void\n {\n $this->upc['value'] = $upc;\n }", "public function getCupo()\r\n {\r\n return $this->cupo;\r\n }", "function setFidiOC(){\n\t\t$db=$this->db;\n\t\t$sql=\"UPDATE oneri.oneri_concessori SET fideiussione=coalesce((SELECT sum(totale-coalesce(versato,0)) FROM oneri.rate WHERE rata in (2,3) and pratica=$this->pratica),0) WHERE pratica=$this->pratica;\";\n $db->sql_query($sql);\n\t}", "function CDU($bean) {\n\n if ($bean->azienda_tipo_c == 'persona' && $bean->cdu_c == '' && $bean->status == 'Converted' && $bean->account_id_c != '') {\n $bean->cdu_c = '0000000';\n SugarApplication::appendSuccessMessage('Ho settato automaticamente il CDU a 0000000');\n }\n }", "public function setNuevosPuntosC($cuadro, $acreditacion)\n\t{\n\t\t$this->db->query('call nuevos_puntos_c('.$acreditacion.', '.$cuadro.');');\n\t}", "private function setCompteBloquejat ( ) {\n $this->cardheader = 'Accés denegat';\n $this->cardtitle = 'Compte bloquejat';\n $this->cardtext = 'El seu compte ha estat bloquejat per superar el número màxim de intents permès.';\n $this->cardbutton = 'Restablir';\n }", "public function setCpfAttribute($value)\n {\n $this->attributes['cpf'] = md5(env('APP_KEY') . $value);\n }", "public function setProvinciaAttribute( $value = \"\"){\n \n //sacamos los espacios en el valor recibido\n $value = trim( $value );\n //reemplazamos los espacios en guiones del valor recibido\n $value = str_replace( ' ','_', $value);\n //convertimos el valor recibido a minusculas\n $value = strtolower( $value );\n //asignamos el valor al atributo del Modelo\n $this->attributes['provincia'] = $value;\n\n }", "function _set_value(){\r\r\n\t\t//extract\r\r\n\t\textract($_POST);\r\r\n\t\t// init\r\r\n\t\t$value = '';\r\r\n\t\t// options\r\r\n\t\tswitch($value_is['options']){\r\r\n\t\t\tcase 'flat':\r\r\n\t\t\t\t$value = (float)$value_is['flat'];\r\r\n\t\t\tbreak;\r\r\n\t\t\tcase 'percent':\r\r\n\t\t\t\t$value = (float)$value_is['percent']. '%';\r\r\n\t\t\tbreak;\r\r\n\t\t\tcase 'sub_pack_bc':// with billing cycle\r\r\n\t\t\tcase 'sub_pack':// without billing cycle\r\r\n\t\t\t\t// format: 'sub_pack#5_6_M_pro-membership' -- without billing cycle\r\r\n\t\t\t\t// format: 'sub_pack#5_6_M_pro-membership_0' -- with billing cycle\r\r\n\t\t\t\t// pack post\r\r\n\t\t\t\t$sub_pack = $value_is['sub_pack'];\r\r\n\t\t\t\t// lifetime\r\r\n\t\t\t\tif($sub_pack['duration_type'] == 'l') $sub_pack['duration_unit'] = 1;\r\r\n\t\t\t\t// membership_type\r\r\n\t\t\t\t$sub_pack['membership_type'] = strtolower(preg_replace('/[\\_]+/', '-', $sub_pack['membership_type']));\t\t\t\t\r\r\n\t\t\t\t// array\r\r\n\t\t\t\t$options = array((float)$sub_pack['cost'], (int)$sub_pack['duration_unit'], $sub_pack['duration_type'], $sub_pack['membership_type']);\t\t\t\t\t\t\t\t \r\r\n\t\t\t\t// billing cycle\r\r\n\t\t\t\tif(isset($sub_pack['num_cycles'])){\r\r\n\t\t\t\t\t// num_cycles, 2 is limited\r\r\n\t\t\t\t\tif((int)$sub_pack['num_cycles'] == 2) $sub_pack['num_cycles'] = (int)$sub_pack['num_cycles_limited'];\t\r\r\n\t\t\t\t\t// append\r\r\n\t\t\t\t\t$options[] = $sub_pack['num_cycles'];\r\r\n\t\t\t\t}\t\t\t \r\r\n\t\t\t\t// set\r\r\n\t\t\t\t$value = 'sub_pack#'. implode('_', $options);\t\r\r\n\t\t\tbreak;\r\r\n\t\t\tcase 'sub_pack_trial':\r\r\n\t\t\t\t// format: sub_pack_trial#5_6_M_1\r\r\n\t\t\t\t// pack post\r\r\n\t\t\t\t$sub_pack = $value_is['sub_pack_trial'];\r\r\n\t\t\t\t// lifetime\r\r\n\t\t\t\tif($sub_pack['duration_type'] == 'l') $sub_pack['duration_unit'] = 1;\t\t\t\t\r\r\n\t\t\t\t// array\r\r\n\t\t\t\t$options = array((float)$sub_pack['cost'], (int)$sub_pack['duration_unit'], $sub_pack['duration_type'], (int)$sub_pack['num_cycles']);\r\r\n\t\t\t\t// set\r\r\n\t\t\t\t$value = 'sub_pack_trial#'. implode('_', $options);\r\r\n\t\t\tbreak;\r\r\n\t\t}\r\r\n\t\t// return \r\r\n\t\treturn $value;\r\r\n\t}" ]
[ "0.59897244", "0.5847145", "0.5839285", "0.5727048", "0.5662453", "0.5646204", "0.5464064", "0.53665227", "0.5348983", "0.52036387", "0.5117898", "0.5115132", "0.51015204", "0.5097938", "0.50670356", "0.5066577", "0.5061409", "0.5057917", "0.50543535", "0.50543535", "0.50503814", "0.5035587", "0.50179994", "0.501719", "0.5012191", "0.5007426", "0.500438", "0.5003607", "0.4999318", "0.49941128" ]
0.65517765
0
returns list of non allowed characters
protected function nonAllowedCharacters(): array { return [chr(10), chr(13)]; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "protected function getNonAllowedCharacters()\n {\n return [chr(10), chr(13)];\n }", "public function getAllowedCharsInNamePattern();", "static public function get_special_characters_to_omit() {\r\n\t\t\t$data = self::get_options();\r\n\t\t\treturn explode(self::SPEC_CHARS_DELIMITER, $data['special_characters_to_omit']);\r\n\t\t}", "public static function lower_unsafe_characters() {\n\t\t//--\n\t\treturn '/[\\x00-\\x08\\x0B-\\x0C\\x0E-\\x1F]/'; // all lower dangerous characters: x00 - x1F except: \\t = x09 \\n = 0A \\r = 0D\n\t\t//--\n\t}", "function sanitise($in){\n\t$repl = array('@', ' ', '.', ',', '?', '!',':', '-', '&', '_'); // allowed characters in sanitise functions\n\t$temp = str_replace($repl, '', $in);\n\tif(ctype_alnum($temp)){\n\t\treturn true; // if contains allowed characters\n\t}else{\n\t\treturn false; // if contains not allowed characters\n\t}\n}", "public function badNames()\n {\n return array\n (\n array(null),\n array(''),\n array('foo'),\n array('.'),\n array('..'),\n );\n }", "public static function getAllowableChars($charSet)\r\n\t\t{\r\n\t\t\t$allowed = \"\";\r\n\t\t\tif($charSet != 'none'){\r\n\t\t\t\tif(is_array($charSet)){\r\n\t\t\t\t\tif($charSet[0] == 'regex') $allowed = $charSet[1];\r\n\t\t\t\t\telse{\r\n\t\t\t\t\t\t$rulesString = \"\";\r\n\t\t\t\t\t\tforeach($charSet as $set){\r\n\t\t\t\t\t\t\tif(isset(Def::$ruleSet[$set])) $rulesString .= Def::$ruleSetDesc[$set] . ', ';\t\t\t\t\t\t\t\r\n\t\t\t\t\t\t}\r\n\t\t\t\t\t\t$allowed = $rulesString;\r\n\t\t\t\t\t}\r\n\t\t\t\t}\r\n\t\t\t\telse{\r\n\t\t\t\t\tif(isset(Def::$ruleSet[$charSet])) $allowed = Def::$ruleSetDesc[$charSet];\r\n\t\t\t\t\telse{\r\n\t\t\t\t\t\tif(isset(Def::$ruleSet['presets'][$charSet])){\r\n\t\t\t\t\t\t\t$rulesString = \"\";\r\n\t\t\t\t\t\t\tforeach(Def::$ruleSet['presets'][$charSet] as $set){\r\n\t\t\t\t\t\t\t\t$rulesString .= Def::$ruleSetDesc[$set] . ', ';\r\n\t\t\t\t\t\t\t}\r\n\t\t\t\t\t\t\t$allowed = $rulesString;\r\n\t\t\t\t\t\t}\r\n\t\t\t\t\t}\r\n\t\t\t\t}\r\n\t\t\t}\r\n\t\t\telse $allowed = \"All characters are permitted\";\r\n\r\n\t\t\treturn self::toHTML(stripslashes($allowed));\r\n\t\t}", "function strip_bad_chars ($input) {\n $output = preg_replace( \"/[^a-zA-Z0-9_-]/\", \"\", $input );\n return $output;\n}", "static function ignoredWords(){\n return array(\"a\", \"o\", \"de\", \"da\", \"do\", \"em\", \"e\", \"para\", \"por\", \"que\");\n }", "protected function getMissingLetters()\n {\n $missingLettersString = $this->filterConfig->getSettings('addLettersIfMissing');\n if ($missingLettersString) {\n return GeneralUtility::trimExplode(',', $missingLettersString);\n } else {\n return null;\n }\n }", "function bad_chars ($input) {\n\tif ( preg_match('/([\\'\\\"%=;<>\\s]|--)/', $input) ) {\n\t\treturn 1;\n\t} else {\n\t\treturn 0;\n\t};\n}", "function do_never_allowed($str)\r\n{\r\n\r\n /**\r\n\r\n * List of never allowed strings\r\n\r\n */\r\n\r\n $never_allowed_str = array(\r\n\r\n 'document.cookie' => '[removed]',\r\n\r\n 'document.write' => '[removed]',\r\n\r\n '.parentNode' => '[removed]',\r\n\r\n '.innerHTML' => '[removed]',\r\n\r\n 'window.location' => '[removed]',\r\n\r\n '-moz-binding' => '[removed]',\r\n\r\n '<!--' => '&lt;!--',\r\n\r\n '-->' => '--&gt;',\r\n\r\n '<![CDATA[' => '&lt;![CDATA[',\r\n\r\n '<comment>' => '&lt;comment&gt;'\r\n\r\n );\r\n\r\n /**\r\n\r\n * List of never allowed regex replacement\r\n\r\n */\r\n\r\n $never_allowed_regex = array(\r\n\r\n 'javascript\\s*:',\r\n\r\n 'expression\\s*(\\(|&\\#40;)', // CSS and IE\r\n\r\n 'vbscript\\s*:', // IE, surprise!\r\n\r\n 'Redirect\\s+302',\r\n\r\n \"([\\\"'])?data\\s*:[^\\\\1]*?base64[^\\\\1]*?,[^\\\\1]*?\\\\1?\"\r\n\r\n );\r\n\r\n $str = str_replace(array_keys($never_allowed_str), $never_allowed_str, $str);\r\n\r\n foreach ($never_allowed_regex as $regex) {\r\n $str = preg_replace('#' . $regex . '#is', '[removed]', $str);\r\n }\r\n\r\n return $str;\r\n}", "public function invalidTokens()\n {\n return [\n 'empty' => [''],\n 'a' => ['a'],\n 'ab' => ['ab'],\n 'abc' => ['abc'],\n 'digit' => [1],\n 'double-digit' => [12],\n 'triple-digit' => [123],\n 'bool' => [true],\n 'array' => [['token']],\n ];\n }", "public function testValueInvalidchars() {\n $this->assertEquals('VALIDATION.STRING_CONTAINS_INVALID_CHARACTERS', $this->getValidator()->validate('*ASDASD123456')[0]['__CODE'] );\n }", "private function charactersToReplace(): array\n {\n return ['+', '_', '-', ' '];\n }", "public function getDisallowedTags(): array\n {\n return [\n '@api',\n '@author',\n '@category',\n '@copyright',\n '@filesource',\n '@global',\n '@ignore',\n '@internal',\n '@license',\n '@link',\n '@method',\n '@package',\n '@property',\n '@property-read',\n '@property-write',\n '@see',\n '@since',\n '@source',\n '@subpackage',\n '@todo',\n '@uses',\n '@var',\n '@version',\n '@inheritdoc'\n ];\n }", "public function getCharsUnique() : array\n {\n\n return $this->_charsUnique;\n\n }", "function onlyLetters($element) {\r\n\treturn !preg_match (\"/[^A-z]/\", $element);\r\n}", "function _remove_invisible_characters($str) {\r\n\t\tstatic $non_displayables;\r\n\r\n\t\tif ( ! isset($non_displayables))\r\n\t\t{\r\n\t\t\t// every control character except newline (dec 10), carriage return (dec 13), and horizontal tab (dec 09),\r\n\t\t\t$non_displayables = array(\r\n\t\t\t\t\t\t\t\t\t\t'/%0[0-8bcef]/',\t\t\t// url encoded 00-08, 11, 12, 14, 15\r\n\t\t\t\t\t\t\t\t\t\t'/%1[0-9a-f]/',\t\t\t\t// url encoded 16-31\r\n\t\t\t\t\t\t\t\t\t\t'/[\\x00-\\x08]/',\t\t\t// 00-08\r\n\t\t\t\t\t\t\t\t\t\t'/\\x0b/', '/\\x0c/',\t\t\t// 11, 12\r\n\t\t\t\t\t\t\t\t\t\t'/[\\x0e-\\x1f]/'\t\t\t\t// 14-31\r\n\t\t\t\t\t\t\t\t\t);\r\n\t\t}\r\n\r\n\t\tdo\r\n\t\t{\r\n\t\t\t$cleaned = $str;\r\n\t\t\t$str = preg_replace($non_displayables, '', $str);\r\n\t\t}\r\n\t\twhile ($cleaned != $str);\r\n\r\n\t\treturn $str;\r\n\t}", "function normal_punc_only($str)\n\t{\n\t\t$allowed = array('a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'l', 'm', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x', 'y', 'z', 'A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y', 'Z', '.', ',', '?', '!', '@', '#', '$', '%', '&', '*', '(', ')', '\"', '\\'');\n\n\t\tfor ($x = 0; $x < strlen($str); $x++)\n\t\t{\n\t\t\tif (!in_array(substr($str, $x, 1), $allowed))\n\t\t\t{\n\t\t\t\t$this->set_message(\"normal_punc_only\", \"The %s must not contain any special punctuation or spaces. Normal punctuation only.\");\n\t\t\t\treturn FALSE;\n\t\t\t}\n\t\t}\n\n\t\t//IF made it here\n\t\treturn TRUE;\n\t}", "function phplist_is_malicious($input) {\r\n\t$is_malicious = false;\r\n\t$bad_inputs = array(\"\\r\", \"\\n\", \"mime-version\", \"content-type\", \"cc:\", \"to:\");\r\n\tforeach($bad_inputs as $bad_input) {\r\n\t\tif(strpos(strtolower($input), strtolower($bad_input)) !== false) {\r\n\t\t\t$is_malicious = true; break;\r\n\t\t}\r\n\t}\r\n\treturn $is_malicious;\r\n}", "public static function validCharacters($str, $allowed = '/[^A-Za-z0-9@]/') {\n $valid = false;\n if (!preg_match($allowed, $str)) { // '/[^a-z\\d]/i' should also work.\n $valid = true;\n }\n return $valid;\n }", "function filter_special_char( $input ) {\n return filter_var( $input, FILTER_SANITIZE_ENCODED );\n}", "public function getRawUniqueChars(){\n\t\t$output = array();\n\t\t$uniqueChars = $this->getUniqueChars();\n\t\t\n\t\tforeach($uniqueChars as $uniqueChar){\n\t\t\t$output[] = $uniqueChar->getChar();\n\t\t}\n\t\t\n\t\treturn $output;\n\t}", "public static function notString()\r\n {\r\n return array(\r\n array(true),\r\n array(1),\r\n array(1.5),\r\n array(new StdClass()),\r\n array(null),\r\n array(array('get', 'up')),\r\n array(array('get on up')),\r\n array(-5),\r\n );\r\n }", "function cleanInput2($strRawText, $strAllowableChars, $blnAllowAccentedChars)\n{\n $iCharPos = 0;\n $chrThisChar = \"\";\n $strCleanedText = \"\";\n \n //Compare each character based on list of acceptable characters\n while ($iCharPos < strlen($strRawText))\n {\n // Only include valid characters **\n $chrThisChar = substr($strRawText, $iCharPos, 1);\n if (strpos($strAllowableChars, $chrThisChar) !== FALSE)\n {\n $strCleanedText = $strCleanedText . $chrThisChar;\n }\n elseIf ($blnAllowAccentedChars == TRUE)\n {\n // Allow accented characters and most high order bit chars which are harmless **\n if (ord($chrThisChar) >= 191)\n {\n \t$strCleanedText = $strCleanedText . $chrThisChar;\n }\n }\n \n $iCharPos = $iCharPos + 1;\n }\n \n return $strCleanedText;\n}", "function wpse_allowedtags() {\n\treturn '<script>,<style>,<br>,<em>,<i>,<ul>,<ol>,<li>,<a>,<p>,<img>,<video>,<audio>';\n}", "private function getGeorgianCharacters() {\n\n return [\n 'ა', 'ბ', 'გ', 'დ', 'ე', 'ვ', 'ზ', 'თ', 'ი', 'კ', 'ლ', \n 'მ', 'ნ', 'ო', 'პ', 'ჟ', 'რ', 'ს', 'ტ', 'უ', 'ფ', 'ქ', \n 'ღ', 'ყ', 'შ', 'ჩ', 'ც', 'ძ', 'ჭ', 'ხ', 'ჯ', 'ჰ'\n ];\n\n }", "function paranoid($string, $allowed = array()) {\r\n $allow = null;\r\n if (!empty($allowed)) {\r\n foreach ($allowed as $value) {\r\n $allow .= \"\\\\$value\";\r\n }\r\n }\r\n\r\n if (is_array($string)) {\r\n foreach ($string as $key => $clean) {\r\n $cleaned[$key] = preg_replace(\"/[^{$allow}a-zA-Z0-9]/\", \"\", $clean);\r\n }\r\n } else {\r\n $cleaned = preg_replace(\"/[^{$allow}a-zA-Z0-9]/\", \"\", $string);\r\n }\r\n return $cleaned;\r\n }", "private function getRussianCharacters() {\n\n return [\n 'А', 'а', 'Б', 'б', 'В', 'в', 'Г', 'г', 'Д', 'д', 'Е', 'е', 'Ё', 'ё', \n 'Ж', 'ж', 'З', 'з', 'И', 'и', 'Й', 'й', 'К', 'к', 'Л', 'л', 'М', 'м', \n 'Н', 'н', 'О', 'о', 'П', 'п', 'Р', 'р', 'С', 'с', 'Т', 'т', 'У', 'у', \n 'Ф', 'ф', 'Х', 'х', 'Ц', 'ц', 'Ч', 'ч', 'Ш', 'ш', 'Щ', 'щ', 'Ъ', 'ъ', \n 'Ы', 'ы', 'Ь', 'ь', 'Э', 'э', 'Ю', 'ю', 'Я', 'я'\n ];\n\n }" ]
[ "0.74391174", "0.691764", "0.6616139", "0.6328471", "0.62424296", "0.622036", "0.61818194", "0.6153413", "0.61228067", "0.6102234", "0.60786444", "0.60654587", "0.6054767", "0.601117", "0.59891284", "0.59675306", "0.5960381", "0.5886956", "0.58721316", "0.5857685", "0.5852497", "0.58485657", "0.5841298", "0.5836498", "0.58252764", "0.58149743", "0.57456577", "0.5735368", "0.57206863", "0.569603" ]
0.729824
1
Traverse the event nodelist end determine if a passwordreset event has failed due to false authentication.
public function checkIPBanFromEventNode($context) { $eventNode = $context['xml']; if ($filterNodeList = $eventNode->getChildrenByName('members-reset-password')) { $filterNode = current($filterNodeList); $driver = $this->getMembersDriver(); $auth = $driver->getMemberDriver()->section->getField('authentication'); $id = $auth->get('element_name'); if ($filterNode->getAttribute('result') === 'error') { if ($pwNodeList = $filterNode->getChildrenByName($id)) { $pwNode = current($pwNodeList); if ($pwNode->getAttribute('type') === 'invalid') { $fields = $_REQUEST['fields']; $identity = $driver->getMemberDriver()->setIdentityField($fields, false); $username = $identity && $identity->get('type') === 'memberusername' ? $fields[$identity->get('element_name')] : null; return $this->membersLoginFailure(array('username' => $username)); } } } else if ($filterNode->getAttribute('result') === 'success') { return $this->membersLoginSuccess(array()); } } return; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function recoverPassword() {\n // save to the audit trail\n\t\t$audit_values = array(\"transactiontype\" => USER_RECOVER_PASSWORD); \n\t\t// set the updater of the account only when specified\n\t\tif (!isEmptyString($this->getLastUpdatedBy())) {\n\t\t\t$audit_values['executedby'] = $this->getLastUpdatedBy();\n\t\t}\n\t\t\n\t\t# check that the user's email exists and that they are signed up\n\t\tif(!$this->findByEmail($this->getEmail())){\n\t\t\t$audit_values['transactiondetails'] = \"Recovery of password for '\".$this->getEmail().\"' failed - user not found\";\n\t\t\t$this->notify(new sfEvent($this, USER_RECOVER_PASSWORD, $audit_values));\n\t\t\treturn false;\n\t\t}\n\t\t\t\n\t\t# reset the password and set the next password change date\n\t\t$this->setNextPasswordChangeDate(date('Y-m-d')); \n\t\t$this->setActivationKey($this->generateActivationKey());\n\t\t\n\t\t# save the activation key for the user \n\t\t$this->save();\n\t\t\n\t\t# Send the user the reset password email\n\t\t$this->sendRecoverPasswordEmail();\n\t\t\n\t\t// save the audit trail record\n\t\t// the transaction details is the email address being used to\n\t\t$audit_values['userid'] = $this->getID(); \n\t\t$audit_values['transactiondetails'] = \"Password Recovery link for '\".$this->getEmail().\"' sent to '\".$this->getEmail().\"'\";\n\t\t$audit_values['success'] = 'Y';\n\t\t$this->notify(new sfEvent($this, USER_RECOVER_PASSWORD, $audit_values));\n\t\t\n\t\treturn true;\n\t}", "public function checkResetPassword()\n {\n @$auth = $_GET['auth'];\n if (empty($auth) || preg_match('/\\W/', $auth)) {\n return 0;\n }\n\n $db = new PHPWS_DB('users_pw_reset');\n $db->addWhere('authhash', $auth);\n $db->addWhere('timeout', time(), '>');\n $db->addColumn('user_id');\n $result = $db->select('one');\n\n if (PHPWS_Error::logIfError($result)) {\n return false;\n } elseif (empty($result)) {\n return 0;\n } else {\n return $result;\n }\n }", "public static function isPasswordExpired($empNumber)\r\n {\r\n\r\n echo 'Set up the query to search for the employee number\r\n if the flag in the DB is set to 1 then take the user to the password\r\n change form';\r\n }", "function eventReset(){\r\n\t\t//get post data\r\n\t\t$password = util::getData(\"password\");\r\n\t\t$password2 = util::getData(\"password2\");\r\n\t\t$userid = util::getData(\"uid\");\r\n\t\t$key = util::getData(\"key\");\r\n\r\n\t\t//do some sanity checks\r\n\t\t$user = new user();\r\n\t\t$user->loadFromDatabase($userid);\r\n\t\tif($userid == \"\" || $user->id == \"\") {\r\n\t\t\treturn $this->setEventResult(false, \"An invalid userid was passed.\");\r\n\t\t}\r\n\r\n\t\tif(!passwordReset::exists($user->id)) {\r\n\t\t\treturn $this->setEventResult(false, \"This user has not requested to reset their password\");\r\n\t\t}\r\n\r\n\t\tif( $password == \"\")\r\n\t\t\treturn $this->setEventResult(false, \"You must enter a password. A blank password is too easy for people to guess!\");\r\n\t\tif($password != $password2)\r\n\t\t\treturn $this->setEventResult(false, \"You typed in two seperate passwords :(\");\r\n\r\n\t\t//now try to reset the password. This call will\r\n\t\t//perform more error checking for us. Check the return value\r\n\t\t//to make sure everything went well.\r\n\t\t$ok = $user->resetPassword($key, $password);\r\n\t\tif($ok != user::RESET_OK)\r\n\t\t\treturn $this->setEventResult(false, $user->getResetErrorString($ok));\r\n\r\n\t\t$_GET[\"resetok\"] = true;\r\n\t\treturn $this->setEventResult(true, \"Thank you! Your password has now been reset!\");\r\n\t}", "public function allowUserPasswordReset() {\n global $config;\n $newinfo = array('pwdReset' => 'TRUE');\n if (@ldap_modify($this->ldap,$this->dn,$newinfo)) {\n return true;\n } else {\n $this->_addMsg( sprintf( _(\"Could not set pwdReset flag: %s\"), ldap_error($this->ldap)) );\n return false;\n }\n }", "public function testResetPasswordWithInvalidAccount()\n {\n $this->browse(function (PterodactylBrowser $browser) {\n $browser->visit(new LoginPage)\n ->assertSee(trans('auth.forgot_password.label'))\n ->click('@forgotPassword')\n ->waitForLocation('/auth/password')\n ->assertFocused('@email')\n ->assertSeeIn('.input-open > p.text-xs', trans('auth.forgot_password.label_help'))\n ->assertSeeIn('@submitButton', trans('auth.forgot_password.button'))\n ->type('@email', '[email protected]')\n ->assertSeeIn('@goToLogin', trans('auth.go_to_login'))\n ->press('@submitButton')\n ->waitForLocation('/auth/login')\n ->assertSeeIn('div[role=\"alert\"].success > span.message', 'We have e-mailed your password reset link!')\n ->assertFocused('@username')\n ->assertValue('@username', '[email protected]');\n });\n }", "function password_changed_handler($eventdata){\n\t\tglobal $CFG;\n\t\tevent_logoutput(\"password_changed_handler called \\n\", $eventdata);\n\t\t//check if the user is relevant for MUMIE\n\t\tif(record_exists('mumiemodule_students', 'userid', $eventdata->user->id)){\n\t\t\t$changeduser = get_mumie_user($eventdata->user);\n\t\t\tchange_user_for_mumie($changeduser);\n\t\t}\n\t\treturn true;\n\t}", "function can_reset_password() {\n return false;\n }", "protected function _allowedResetPassword(): void\n {\n $url = [\n 'plugin' => 'CakeDC/Users',\n 'controller' => 'Users',\n 'action' => 'requestResetPassword',\n ];\n\n // skip if url does not match Users requestResetPassword action.\n if (array_diff_assoc($url, $this->request->getAttribute('params'))) {\n return;\n }\n\n // allow if LDAP is not enabled.\n if (!(bool)Configure::read('Ldap.enabled')) {\n return;\n }\n\n throw new NotFoundException();\n }", "public function checkResetPasswordCode($resetCode);", "public function resetPasswordExpired(): bool {\n return (bool)self::$db->scalar(\"\n SELECT 1\n FROM users_info\n WHERE coalesce(ResetExpires, now()) <= now()\n AND UserID = ?\n \", $this->id\n );\n }", "public function is_password_expired() {\n return ( ( isset( $_SESSION[ 'current' ] ) )\n && ( $_SESSION[ 'current' ] == false ) );\n }", "public function testDoResetPasswordInvalid()\r\n\t{\r\n\t\t$params = array(\r\n\t\t\t'password'\t\t\t\t=> 'password',\r\n\t\t\t'password_confirmation' => 'password',\r\n\t\t\t'token'\t\t\t\t\t=> 'token',\r\n\t\t);\r\n\r\n\t\t$this->call('POST', 'user/reset_password/', $params);\r\n\t\t$this->assertRedirectedTo('user/reset_password/'.$params['token']);\r\n\t\t$this->assertSessionHas('error');\r\n\t}", "public static function passwordReset()\n {\n if (!Check::password(Input::post('password'))) {\n Check::addUserError('Invalid password.');\n return false;\n }\n if (Input::post('password') !== Input::post('password2')) {\n Check::addUserError('Passwords do not match.');\n return false;\n }\n if (!Check::token()) {\n return false;\n }\n return true;\n }", "public function failed_login()\n {\n $ip = self::get_ip();\n if (!$ip) {\n return;\n }\n\n if (apply_filters('simple_login_lockdown_allow_ip', false, $ip)) {\n return;\n }\n\n self::inc_count($ip);\n if (self::get_count($ip) > self::opt('limit', 5)) {\n self::delete_count($ip);\n self::set_lockdown($ip);\n do_action('simple_login_lockdown_count_reached', $ip);\n }\n }", "function can_reset_password() {\n return isset( $this->_oauth_config->auth_lenauth_can_reset_password ) ? $this->_oauth_config->auth_lenauth_can_reset_password : true;\n }", "function gmt_courses_is_reset_key_valid () {\n\n\t\t// Bail if not an Ajax request\n\t\tif (empty($_SERVER['HTTP_X_REQUESTED_WITH']) || strtolower($_SERVER['HTTP_X_REQUESTED_WITH']) !== 'xmlhttprequest') {\n\t\t\theader('Location: ' . $_SERVER['HTTP_REFERER']);\n\t\t\treturn;\n\t\t}\n\n\t\t// Bail if user is already logged in\n\t\tif (is_user_logged_in()) {\n\t\t\twp_send_json(array(\n\t\t\t\t'code' => 401,\n\t\t\t\t'status' => 'failed',\n\t\t\t\t'message' => 'You\\'re already logged in.'\n\t\t\t));\n\t\t}\n\n\t\t// Variables\n\t\t$user = get_user_by('email', $_POST['username']);\n\t\t$reset_key = get_user_meta($user->ID, 'password_reset_key', true);\n\n\t\t// If user exists but there's no reset key, or the reset key has expired, have the user try again\n\t\tif (empty($user) || empty($reset_key) || strcmp($_POST['key'], $reset_key['key']) !== 0) {\n\t\t\twp_send_json(array(\n\t\t\t\t'code' => 401,\n\t\t\t\t'status' => 'failed',\n\t\t\t\t'message' => 'This password reset link is no longer valid. Please try again. If you keep getting this message, please email ' . gmt_courses_get_email() . '.'\n\t\t\t));\n\t\t}\n\n\t\t// If reset key has expired, ask them to try again\n\t\tif (time() > $reset_key['expires']) {\n\t\t\twp_send_json(array(\n\t\t\t\t'code' => 401,\n\t\t\t\t'status' => 'failed',\n\t\t\t\t'message' => 'This password reset link has expired. Please request a new one. If you feel this was in error, please email ' . gmt_courses_get_email() . '.'\n\t\t\t));\n\t\t}\n\n\t\t// Otherwise, reset key is valid\n\t\twp_send_json(array(\n\t\t\t'code' => 200,\n\t\t\t'status' => 'success'\n\t\t));\n\n\t}", "public function onPasswordReset($event)\n {\n activity('auth')\n ->withProperties(['ip' => request()->ip(), 'agent' => request()->header('user-agent')])\n ->causedBy($event->user)->log('Password Reset');\n }", "private function validateLoginStatus()\n\t{\n\n\t}", "public function validateResetPassword($password)\n {\n $check = true;\n $err = \"\";\n if ($password == \"\") {\n $err = $err . \"Password is required.\";\n $check = false;\n } elseif (strlen($password) < 4 || strlen($password) > 20) {\n $err = $err . \"Password between 4 and 20 characters!\";\n $check = false;\n }\n if ($check == false) {\n $_SESSION['resetPasswordNotify'] = $err;\n return false;\n }\n return true;\n }", "function gmt_courses_lost_password () {\n\n\t\t// Bail if not an Ajax request\n\t\tif (empty($_SERVER['HTTP_X_REQUESTED_WITH']) || strtolower($_SERVER['HTTP_X_REQUESTED_WITH']) !== 'xmlhttprequest') {\n\t\t\theader('Location: ' . $_SERVER['HTTP_REFERER']);\n\t\t\treturn;\n\t\t}\n\n\t\t// Bail if user is already logged in\n\t\tif (is_user_logged_in()) {\n\t\t\twp_send_json(array(\n\t\t\t\t'code' => 401,\n\t\t\t\t'status' => 'failed',\n\t\t\t\t'message' => 'You\\'re already logged in.'\n\t\t\t));\n\t\t}\n\n\t\t// Make sure the user exists\n\t\t$user = get_user_by('email', $_POST['username']);\n\t\tif (empty($user)) {\n\t\t\twp_send_json(array(\n\t\t\t\t'code' => 401,\n\t\t\t\t'status' => 'failed',\n\t\t\t\t'message' => 'Please enter the email address associated with your account. If you don\\'t remember what it is, please email ' . gmt_courses_get_email() . '.'\n\t\t\t));\n\t\t}\n\n\t\t// Add reset validation key\n\t\t$reset_key = wp_generate_password(48, false);\n\t\tupdate_user_meta($user->ID, 'password_reset_key', array(\n\t\t\t'key' => $reset_key,\n\t\t\t'expires' => time() + (60 * 60 * 48)\n\t\t));\n\n\t\t// Send reset email\n\t\tgmt_courses_send_pw_reset_email($_POST['username'], $reset_key);\n\n\t\twp_send_json(array(\n\t\t\t'code' => 200,\n\t\t\t'status' => 'success',\n\t\t\t'message' => 'A link to reset your password has been sent to ' . $_POST['username'] . '. Please reset your password within the next 48 hours. If you don\\'t receive an email, please email ' . gmt_courses_get_email() . '.'\n\t\t));\n\n\t}", "function reset_login_failure_count($user_guid) {\n\t$user_guid = (int)$user_guid;\n\t$user = get_entity($user_guid);\n\n\tif (($user_guid) && ($user) && ($user instanceof ElggUser)) {\n\t\t$fails = (int)$user->getPrivateSetting(\"login_failures\");\n\n\t\tif ($fails) {\n\t\t\tfor ($n = 1; $n <= $fails; $n++) {\n\t\t\t\t$user->removePrivateSetting(\"login_failure_$n\");\n\t\t\t}\n\n\t\t\t$user->removePrivateSetting(\"login_failures\");\n\n\t\t\treturn true;\n\t\t}\n\n\t\t// nothing to reset\n\t\treturn true;\n\t}\n\n\treturn false;\n}", "function passwordResetTokenMatch($token);", "function um_requesting_password_reset() {\r\n\tif (um_is_core_page( 'password-reset' ) && isset( $_POST['_um_password_reset'] ) == 1)\r\n\t\treturn true;\r\n\r\n\treturn false;\r\n}", "function gmt_courses_reset_password () {\n\n\t\t// Bail if not an Ajax request\n\t\tif (empty($_SERVER['HTTP_X_REQUESTED_WITH']) || strtolower($_SERVER['HTTP_X_REQUESTED_WITH']) !== 'xmlhttprequest') {\n\t\t\theader('Location: ' . $_SERVER['HTTP_REFERER']);\n\t\t\treturn;\n\t\t}\n\n\t\t// Bail if user is already logged in\n\t\tif (is_user_logged_in()) {\n\t\t\twp_send_json(array(\n\t\t\t\t'code' => 401,\n\t\t\t\t'status' => 'failed',\n\t\t\t\t'message' => 'You\\'re already logged in.'\n\t\t\t));\n\t\t}\n\n\t\t// Variables\n\t\t$user = get_user_by('email', $_POST['username']);\n\t\t$reset_key = get_user_meta($user->ID, 'password_reset_key', true);\n\t\t$reset_pw_url = getenv('RESET_PW_URL');\n\t\t$frontend_url = getenv('FRONTEND_URL');\n\n\t\t// If user exists but there's no reset key, or the reset key has expired, have the user try again\n\t\tif (empty($user) || empty($reset_key) || strcmp($_POST['key'], $reset_key['key']) !== 0) {\n\t\t\twp_send_json(array(\n\t\t\t\t'code' => 401,\n\t\t\t\t'status' => 'failed',\n\t\t\t\t'message' => 'This password reset link is no longer valid. Please try again. If you keep getting this message, please email ' . gmt_courses_get_email() . '.'\n\t\t\t));\n\t\t}\n\n\t\t// If reset key has expired, ask them to try again\n\t\tif (time() > $reset_key['expires']) {\n\t\t\twp_send_json(array(\n\t\t\t\t'code' => 401,\n\t\t\t\t'status' => 'failed',\n\t\t\t\t'message' => 'This password reset link has expired. <a href=\"' . $reset_pw_url . '\">Please request a new one.</a> If you feel this was in error, please email ' . gmt_courses_get_email() . '.'\n\t\t\t));\n\t\t}\n\n\t\t// Check that password is supplied\n\t\tif (empty($_POST['password'])) {\n\t\t\twp_send_json(array(\n\t\t\t\t'code' => 401,\n\t\t\t\t'status' => 'failed',\n\t\t\t\t'message' => 'Please enter a new password.'\n\t\t\t));\n\t\t}\n\n\t\t// Enforce password requirements\n\t\t$pw_length = getenv('MIN_PASSWORD_LENGTH');\n\t\t$pw_length = $pw_length ? intval($pw_length) : 8;\n\t\tif (strlen($_POST['password']) < $pw_length) {\n\t\t\twp_send_json(array(\n\t\t\t\t'code' => 401,\n\t\t\t\t'status' => 'failed',\n\t\t\t\t'message' => 'Please enter a new password that\\'s at least ' . $pw_length . ' characters long.'\n\t\t\t));\n\t\t}\n\n\t\t// Update the password\n\t\t$update = wp_update_user(array('ID' => $user->ID, 'user_pass' => $_POST['password']));\n\n\t\t// If update fails\n\t\tif (is_wp_error($update)) {\n\t\t\twp_send_json(array(\n\t\t\t\t'code' => 401,\n\t\t\t\t'status' => 'failed',\n\t\t\t\t'message' => 'Something went wrong. Please try again. If you continue to see this message, please email ' . gmt_courses_get_email() . '.'\n\t\t\t));\n\t\t}\n\n\t\t// Remove the validation key\n\t\tdelete_user_meta($user->ID, 'password_reset_key');\n\n\t\t// Authenticate User\n\t\t$credentials = array(\n\t\t\t'user_login' => $_POST['username'],\n\t\t\t'user_password' => $_POST['password'],\n\t\t\t'remember' => true,\n\t\t);\n\t\t$login = wp_signon($credentials);\n\n\t\t// If authentication fails\n\t\tif (is_wp_error($login)) {\n\t\t\twp_send_json(array(\n\t\t\t\t'code' => 205,\n\t\t\t\t'status' => 'success',\n\t\t\t\t'message' => 'Your password was successfully reset.' . (empty($frontend_url) ? '' : ' <a href=\"' . $frontend_url . '\">Sign in with your new password</a> to view your courses.')\n\t\t\t));\n\t\t}\n\n\t\t// Send success data\n\t\twp_send_json(array(\n\t\t\t'code' => 200,\n\t\t\t'status' => 'success',\n\t\t\t'message' => 'Your password was successfully reset.' . (empty($frontend_url) ? '' : ' <a href=\"' . $frontend_url . '\">Click here to view your courses.</a>')\n\t\t));\n\n\t}", "public function isResetPasswordValid()\n {\n if ($this->reset_code_date == null) return false;\n return (new DateTime()) < $this->reset_code_date->addHours(3);\n }", "public function testValidateLoginPasswordIncorrect()\n {\n\n // Create a user.\n $this->__user();\n\n // Register with empty fields.\n $errors = $this->_usersTable->_validateLogin(\n 'username',\n 'incorrect');\n\n // Check for the error.\n $this->assertEquals(\n get_plugin_ini('NeatlineWebService', 'password_incorrect'),\n $errors['password']\n );\n\n }", "public function testPasswordReset()\n {\n $email = rand().'@givetoken.com';\n\n // get count before hitting the tracking link\n $sql = \"SELECT COUNT(*) opens FROM email_open WHERE email_address = '$email'\";\n $result = execute_query($sql);\n $row = $result->fetch_assoc();\n $countBefore = $row['opens'];\n $this->assertEquals(0, $countBefore);\n\n // hit the tracking link\n $fields = array(\n 't'=>2,\n 'e'=>$email\n );\n $fields_string = \"\";\n foreach ($fields as $key=>$value) {\n $fields_string .= $key.'='.$value.'&';\n }\n $fields_string = rtrim($fields_string, '&');\n ob_start();\n $ch = curl_init();\n curl_setopt($ch, CURLOPT_URL, $this->url.'?'.$fields_string);\n $response = curl_exec($ch);\n $this->assertEquals(true, $response);\n $return = ob_get_contents();\n ob_end_clean();\n $this->assertEquals('', $return);\n\n // get count after hitting the tracking link\n $sql = \"SELECT COUNT(*) opens FROM email_open WHERE email_address = '$email'\";\n $result = execute_query($sql);\n $row = $result->fetch_assoc();\n $countAfter = $row['opens'];\n $this->assertEquals(1, $countAfter);\n }", "function log_login_failure($user_guid) {\n\t$user_guid = (int)$user_guid;\n\t$user = get_entity($user_guid);\n\n\tif (($user_guid) && ($user) && ($user instanceof ElggUser)) {\n\t\t$fails = (int)$user->getPrivateSetting(\"login_failures\");\n\t\t$fails++;\n\n\t\t$user->setPrivateSetting(\"login_failures\", $fails);\n\t\t$user->setPrivateSetting(\"login_failure_$fails\", time());\n\t\treturn true;\n\t}\n\n\treturn false;\n}", "public function validatePasswordResetCode(): bool\n {\n if (!$this->hasErrors() && (!($user = $this->getUser()) || $user->password_reset_token != $this->code)) {\n $this->addError('id', Yii::t('skeleton', 'The password recovery url is invalid.'));\n }\n\n return !$this->hasErrors();\n }" ]
[ "0.597171", "0.5770771", "0.5717839", "0.5682479", "0.56103474", "0.55986637", "0.55933887", "0.5461581", "0.5439882", "0.53569037", "0.5351034", "0.5347308", "0.5325415", "0.52979535", "0.5277546", "0.5275059", "0.523941", "0.52256864", "0.5207929", "0.52040726", "0.51898307", "0.51673305", "0.51544863", "0.5136729", "0.51268476", "0.51017374", "0.50845194", "0.5062609", "0.5041935", "0.50330704" ]
0.63307244
0
Ces fichiers sont a placer dans le repertoire base/ de votre plugin Fonction d'import de la table spip_partenaires_types a utiliser dans le fichier d'administration du plugin include_spip('base/importer_spip_partenaires_types'); $maj['create'][] = array('importer_spip_partenaires_types');
function importer_spip_partenaires_types() { ######## VERIFIEZ LE NOM DE LA TABLE D'INSERTION ########### $table = 'spip_partenaires_types'; // nom_du_champ_source => nom_du_champ_destination // mettre vide la destination ou supprimer la ligne permet de ne pas importer la colonne. $correspondances = array( 'id_type' => 'id_type', 'titre' => 'titre', 'descriptif' => 'descriptif', 'maj' => 'maj', ); // transposer les donnees dans la nouvelle structure $inserts = array(); list($cles, $valeurs) = donnees_spip_partenaires_types(); // on remet les noms des cles dans le tableau de valeur // en s'assurant de leur correspondance au passage if (is_array($valeurs)) { foreach ($valeurs as $v) { $i = array(); foreach ($v as $k => $valeur) { $cle = $cles[$k]; if (isset($correspondances[$cle]) and $correspondances[$cle]) { $i[ $correspondances[$cle] ] = $valeur; } } $inserts[] = $i; } unset($valeurs); // inserer les donnees en base. $nb_inseres = 0; // ne pas reimporter ceux deja la (en cas de timeout) $nb_deja_la = sql_countsel($table); $inserts = array_slice($inserts, $nb_deja_la); $nb_a_inserer = count($inserts); // on decoupe en petit bout (pour reprise sur timeout) $inserts = array_chunk($inserts, 100); foreach ($inserts as $i) { sql_insertq_multi($table, $i); $nb_inseres += count($i); // serie_alter() relancera la fonction jusqu'a ce que l'on sorte sans timeout. if (time() >= _TIME_OUT) { // on ecrit un gentil message pour suivre l'avancement. echo "<br />Insertion dans $table relanc&eacute;e : "; echo "<br />- $nb_deja_la &eacute;taient d&eacute;j&agrave; l&agrave;"; echo "<br />- $nb_inseres ont &eacute;t&eacute; ins&eacute;r&eacute;s."; $a_faire = $nb_a_inserer - $nb_inseres; echo "<br />- $a_faire &agrave; faire."; return; } } } }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function import()\n {\n // Check for request forgeries\n JSession::checkToken() or jexit('Invalid Token');\n\n $app = JFactory::getApplication();\n $data = $app->getUserState('com_minicckimport.uploaddata');\n\n $this->addModelPath(JPATH_ROOT.'/administrator/components/com_content/models');\n // Get item model\n $model = $this->getModel('Article', 'ContentModel');\n\n $model->addTablePath(JPATH_ADMINISTRATOR . '/components/com_content/tables');\n JForm::addFormPath(JPATH_ADMINISTRATOR . '/components/com_content/models/forms');\n JForm::addFieldPath(JPATH_ADMINISTRATOR . '/components/com_content/models/fields');\n\n $plugin = JPluginHelper::getPlugin('system', 'minicck');\n $pluginParams = json_decode($plugin->params);\n\n $typeForName = array();\n foreach($pluginParams->customfields as $v){\n $typeForName[$v->name] = $v->type;\n }\n\n // Set some variables\n $link = 'index.php?option=com_minicckimport&view=main';\n $debug = JRequest::getInt('debug', 0);\n $mainframe = JFactory::getApplication();\n $db = JFactory::getDBO();\n\n $file = $data['file'];\n $type_id = $data['type_id'];\n $language = $data['language'];\n $maincat = $data['maincat'];\n $seccats = $data['seccats'];\n $field_separator = $data['field_separator'];\n $enclosure_char = $data['enclosure_char'];\n $num_headers = $data['num_headers'];\n $num_content = $data['num_content'];\n $file_ext = $data['file_ext'];\n $maincat_col = $data['maincat_col'];\n $seccats_col = $data['seccats_col'];\n\n $fieldsAssoc = $app->input->get('fields', array(), 'array');\n $content_key = $app->input->getString('content_key', '');\n $file_key = $app->input->getString('file_key', '');\n\n $onlyNewItems = false;\n if($content_key === '' || $file_key === '')\n {\n $onlyNewItems = true;\n }\n\n\n $cckFields = $fieldsAssoc['cck'];\n unset($fieldsAssoc['cck']);\n\n //очищаем соответствие полей контента и файла от пустых значений.\n foreach($fieldsAssoc as $k => $v)\n {\n if($v == '')\n {\n unset($fieldsAssoc[$k]);\n }\n }\n\n foreach($cckFields as $k => $v)\n {\n if($v == '')\n {\n unset($cckFields[$k]);\n }\n }\n\n // Get field names (from the header line (row 0), and remove it form the data array\n $columns = array_keys($fieldsAssoc);\n\n // Check for the (required) title column and other columns\n if (!in_array('title', $columns)) {\n $this->setRedirect($link, JText::_('COM_MINICCKIMPORT_ERROR_NOT_SELECT_TITLE_FIELD'));\n return;\n }\n if ($maincat_col && !in_array('catid', $columns)) {\n $this->setRedirect($link, JText::_('COM_MINICCKIMPORT_ERROR_NOT_SELECT_CAT_FIELD'));\n return;\n }\n\n if (!$language && !in_array('language', $columns)) {\n $this->setRedirect($link, JText::_('COM_MINICCKIMPORT_ERROR_NOT_SELECT_LANG'));\n return;\n }\n\n //чтение файла\n if($file_ext == 'csv'){\n $contents = $this->load_csv();\n }\n else{\n $contents = $this->load_xls();\n }\n\n //удаляем файл\n unlink($file);\n //удаляем инфо о загрузке\n $mainframe->setUserState('com_minicckimport.uploaddata', array());\n\n // Basic error checking, for empty data\n if (count($contents) <= 0) {\n $this->setRedirect($link, JText::_('COM_MINICCKIMPORT_ERROR_READ_FILE'));\n return;\n }\n\n $headers = $app->getUserState('com_minicckimport.headers');\n $app->setUserState('com_minicckimport.headers', null);\n $headers = array_flip($headers);\n\n // Handle each row (item) using store() method of the item model to create the items\n $cnt = 1;\n foreach ($contents as $fields)\n {\n //Подготовка данных для com_content\n $data = array();\n $data['language'] = $language;\n $data['catid'] = $maincat;\n $data['state'] = 0;\n\n // Handle each field of the item\n foreach ($fieldsAssoc as $fieldname => $col_name)\n {\n $col_id = $headers[$col_name];\n $dataCell = $fields[$col_id];\n $dataCell = $this->encodeContentFieldData($fieldname, $dataCell);\n $data[$fieldname] = (!empty($data[$fieldname]) && empty($dataCell)) ? $data[$fieldname] : $dataCell;\n }\n\n //пропускаем запись если заголовок пустой\n if(empty($data['title'])){\n continue;\n }\n\n if(!isset($data['alias'])){\n $data['alias'] = JApplicationHelper::stringURLSafe($data['title']);\n }\n else{\n $data['alias'] = JApplicationHelper::stringURLSafe($data['alias']);\n }\n\n // Set/Force id to zero to indicate creation of new item\n if($onlyNewItems)\n {\n $data['id'] = 0;\n }\n else if(empty($data['id']))\n {\n $query = $db->getQuery(true);\n $query->select('id');\n $query->from('#__content');\n $query->where($db->quoteName($content_key).' = '.$db->quote($fields[$headers[$file_key]]));\n $db->setQuery($query, 0, 1);\n $id = $db->loadResult();\n $data['id'] = !empty($id) ? (int)$id : 0;\n }\n\n // Validate the posted data.\n // Sometimes the form needs some posted data, such as for plugins and modules.\n $form = $model->getForm($data, false);\n\n if (!$form)\n {\n $msg = $cnt . JText::sprintf('COM_MINICCKIMPORT_ERROR_IMPORT_CONTENT', $data['title']) . \" \" . $model->getError();\n throw new Exception($msg, 500);\n }\n\n // Test whether the data is valid.\n $validData = $model->validate($form, $data);\n\n // Check for validation errors.\n if ($validData === false)\n {\n // Get the validation messages.\n $errors = $model->getErrors();\n\n // Push up to three validation messages out to the user.\n for ($i = 0, $n = count($errors); $i < $n && $i < 3; $i++)\n {\n if ($errors[$i] instanceof Exception)\n {\n $errors .= ' '.$errors[$i]->getMessage();\n }\n else\n {\n $errors .= ' '.$errors;\n }\n }\n\n $msg = $cnt . JText::sprintf('COM_MINICCKIMPORT_ERROR_IMPORT_CONTENT', $data['title']);\n throw new Exception($msg . \" \" . $errors, 500);\n }\n\n // Finally try to create the item by using Item Model's store() method\n if (!$model->save($data))\n {\n $msg = $cnt . JText::sprintf('COM_MINICCKIMPORT_ERROR_IMPORT_CONTENT', $data['title']);\n throw new Exception($msg . \" \" . $model->getError(), 500);\n }\n else\n {\n $contentId = ($data['id'] == 0) ? $model->getState('article.id') : $data['id'];\n\n if($contentId > 0)\n {\n //Дополнительные поля\n\n $query = $db->getQuery(true);\n $query->delete('#__minicck')\n ->where('content_id = '.$db->quote($contentId));\n $db->setQuery($query)->execute();\n\n $object = new stdClass();\n $object->content_id = $contentId;\n\n $col_id = isset($headers['content_type']) ? $headers['content_type'] : 0;\n $object->content_type = ($col_id > 0 && !empty($fields[$col_id])) ? $fields[$col_id] : $type_id;\n\n foreach ($cckFields as $fieldname => $col_name)\n {\n\n if($fieldname == 'cid' || $fieldname == 'content_type')\n continue;\n\n $col_id = $headers[$col_name];\n $dataCell = $fields[$col_id];\n $type = $typeForName[$fieldname];\n\n $object->$fieldname = $this->encodeMinicckFieldData($type, $dataCell);\n }\n\n if(!$db->insertObject('#__minicck', $object))\n {\n $msg = $cnt . JText::sprintf('COM_MINICCKIMPORT_ERROR_IMPORT_FIELDS', $data['title']);\n $mainframe->enqueueMessage($msg, 'error');\n }\n\n //Дополнительные категории\n\n $query = $db->getQuery(true);\n $query->delete('#__minicck_categories')\n ->where('article_id = '.$db->quote($contentId));\n $db->setQuery($query)->execute();\n\n if(!empty($headers[$cckFields['cid']]))\n {\n $col_id = $headers[$cckFields['cid']];\n $catdata = array();\n if(!empty($fields[$col_id])){\n $catdata = explode(',', $fields[$col_id]);\n }\n\n }\n else{\n $catdata = $seccats;\n }\n\n if(is_array($catdata) && count($catdata))\n {\n foreach ($catdata as $v)\n {\n $object = new stdClass();\n $object->article_id = $contentId;\n $object->category_id = $v;\n if(!$db->insertObject('#__minicck_categories', $object))\n {\n $msg = $cnt . JText::sprintf('COM_MINICCKIMPORT_ERROR_IMPORT_SECOND_CATS', $data['title']);\n $mainframe->enqueueMessage($msg, 'error');\n }\n }\n }\n }\n else\n {\n $msg = $cnt . JText::sprintf('COM_MINICCKIMPORT_ERROR_IMPORT_FIELDS', $data['title']);\n $mainframe->enqueueMessage($msg, 'error');\n }\n $msg = $cnt . JText::sprintf('COM_MINICCKIMPORT_IMPORT_CONTENT_SUCCESS', $data['title']);\n $mainframe->enqueueMessage($msg);\n $cnt++;\n }\n }\n\n $cache = JFactory::getCache('com_content');\n $cache->clean();\n\n $this->setRedirect($link);\n }", "function rekord_import_files() {\n\treturn array(\n\t array(\n\t\t'import_file_name' => 'Demo Import 1',\n\t\t'categories' => array( 'Category 1', 'Category 2' ),\n\t\t'local_import_file' => trailingslashit( get_template_directory() ) . 'inc/demo-data/content.xml',\n\t\t'local_import_widget_file' => trailingslashit( get_template_directory() ) . 'inc/demo-data/widgets.wie',\n\t\t'local_import_customizer_file' => trailingslashit( get_template_directory() ) . 'inc/demo-data/customizer.dat',\n\t\t'import_preview_image_url' => get_template_directory_uri() . '/inc/demo-data/screenshot.jpg',\n\t\t'import_notice' => __( 'After you import this demo, you will have to setup the slider separately.', 'rekord' ),\n\t ),\n\t);\n }", "public function import() {\r\n// \t$this->_layout = 'content';\r\n// \t$import_file =& ParamHolder::get('import_file', array(), PS_FILES);\r\n// \tchmod($import_file['tmp_name'],0777);\r\n\r\n \t$files = $this->get_file_list( $this->dir );\r\n \t$fid =& ParamHolder::get('_fid', '');\r\n $import_file = $this->dir.'/'.$files[$fid]['fname'];\r\n @chmod($import_file,0755);\r\n \t\r\n \t$db_host = Config::$db_host;\r\n \t$db_host .= \":\".(Config::$port);\r\n \t$db_user = Config::$db_user;\r\n \t$db_pass = Config::$db_pass;\r\n \t$db_name = Config::$db_name;\r\n \t$charset = Config::$mysqli_charset;\r\n \t\r\n \t$link = mysql_connect($db_host,$db_user,$db_pass);\r\n \tmysql_select_db($db_name,$link);\r\n \tmysql_query(\"SET NAMES \".Config::$mysqli_charset ,$link);\r\n \t$mqr = @get_magic_quotes_runtime();\r\n \t@set_magic_quotes_runtime(0);\r\n \t$query = fread(fopen($import_file, \"r\"), filesize($import_file)); \r\n \t@set_magic_quotes_runtime($mqr);\r\n \t$pieces = $this->_split_sql($query);\r\n\t\tif(function_exists(\"mysqli_set_charset\")){\r\n \t\t@mysqli_set_charset($link, $charset);\r\n\t\t}else{\r\n\t\t\tmysql_query(\"set character_set_client=binary\");\r\n\t\t}\r\n\t for ($i=0; $i<count($pieces); $i++){\r\n\t\t\t$pieces[$i] = trim($pieces[$i]);\r\n\t\t\t\r\n\t\t\t$pos1 = strpos($pieces[$i], \"DROP TABLE IF EXISTS\");\r\n\t\t\t$pos2 = strpos($pieces[$i], \"CREATE TABLE\");\r\n\t\t\t$pos3 = strpos($pieces[$i],\"INSERT INTO\");\r\n\t\t\tif(($pos1 === false) && ($pos2 === false) && ($pos3 === false))\r\n\t\t\t{\r\n\t\t\t\tcontinue;\r\n\t\t\t}\r\n\t\t\tif(($pos1 == 0) || ($pos2 == 0) || ($pos3 == 0)){\r\n\t\t\t\tif(!empty($pieces[$i]) && $pieces[$i] != \"#\"){\r\n\t\t\t\t\t$pieces[$i] = str_replace( \"#__\", '', $pieces[$i]); \r\n\t\t\t\t\tif (!$result = @mysql_query ($pieces[$i])) {\r\n\t\t\t\t\t\t$errors[] = array ( mysql_error(), $pieces[$i] );\r\n\t\t\t\t\t}\r\n\t\t\t\t}\r\n\t \t}\r\n\t\t}\r\n\t\t$this->assign('json', Toolkit::jsonOK(array()));\r\n return '_result';\r\n }", "function av5_merlin_local_import_files() {\r\n\treturn array(\r\n\t\tarray(\r\n\t\t\t'import_file_name'\t\t\t\t => 'clean-theme',\r\n\t\t\t'local_import_customizer_file'\t => trailingslashit( get_template_directory() ) . 'inc/demo-data-clean/customizer.dat',\r\n\t\t\t'local_import_redux'\t\t\t => array(\r\n\t\t\t\tarray(\r\n\t\t\t\t\t'file_path'\t\t => trailingslashit( get_template_directory() ) . 'inc/demo-data-clean/redux.json',\r\n\t\t\t\t\t'option_name'\t => apply_filters( 'av5_redux_name', 'lid_av5' ),\r\n\t\t\t\t),\r\n\t\t\t),\r\n\t\t),\r\n\t);\r\n}", "function marquepages_importer_delicious($chemin, $id_rubrique){\n\tglobal $mp_xml_profondeur, $mp_id_rubrique;\n\t$mp_xml_profondeur = array();\n\t$mp_id_rubrique = $id_rubrique;\n\t$retours = array();\n\t\n\t$xml_parser = xml_parser_create();\n\txml_set_element_handler($xml_parser, \"marquepages_importer_delicious_debut\", \"marquepages_importer_delicious_fin\");\n\t\n\tif (!($flux_xml = fopen($chemin, \"r\")))\n\t\t$retours['message_erreur'] = _T('marquepages:erreur_importation');\n\t\n\twhile ($data = fread($flux_xml, 4096)) {\n\t\tif (!xml_parse($xml_parser, $data, feof($flux_xml))) {\n\t\t\t$retours['message_erreur'] = \n\t\t\t\t'Erreur XML :'\n\t\t\t\t. xml_error_string(xml_get_error_code($xml_parser))\n\t\t\t\t. 'à la ligne '\n\t\t\t\t. xml_get_current_line_number($xml_parser);\n\t\t}\n\t}\n xml_parser_free($xml_parser);\n \n if (!$retours['message_erreur'])\n\t\t$retours['message_ok'] = _T('marquepages:erreur_importation_ok');\n\t\n\treturn $retours;\n}", "public function tipo_importacion(){\n\n //datos comunes de las vistas\n $datos_vista = $this->cargar_datos();\n\n //definimos el paso en que nos encotramos\n $datos_vista['paso'] = 'tipo-importacion';\n\n //tipos de importacion queda definido por el logo de la pagina desde donde se ha exportado el archivo\n $datos_vista['logos-importar-entradas'] = $this->imagenes_importar_entradas();\n\n return return_vistas('blogs.importar-entradas', $datos_vista); \n }", "function field_type_file__install($module_id)\n{\n global $g_table_prefix, $LANG;\n\n // check it's not already installed (i.e. check for the unique field type identifier)\n $field_type_info = ft_get_field_type_by_identifier(\"file\");\n if (!empty($field_type_info))\n {\n return array(false, $LANG[\"notify_module_already_installed\"]);\n }\n\n // find the FIRST field type group. Most installations won't have the Custom Fields module installed so\n // the last group will always be \"Special Fields\". For installations that DO, and that it's been customized,\n // the user can always move this new field type to whatever group they want. Plus, this module will be\n // installed by default, so it's almost totally moot\n $query = mysql_query(\"\n SELECT group_id\n FROM {$g_table_prefix}list_groups\n WHERE group_type = 'field_types'\n ORDER BY list_order ASC\n LIMIT 1\n \");\n $result = mysql_fetch_assoc($query);\n $group_id = $result[\"group_id\"]; // assumption: there's at least one field type group\n\n // now find out how many field types there are in the group so we can add the row with the correct list order\n $count_query = mysql_query(\"SELECT count(*) as c FROM {$g_table_prefix}field_types WHERE group_id = $group_id\");\n $count_result = mysql_fetch_assoc($count_query);\n $next_list_order = $count_result[\"c\"] + 1;\n\n $query = mysql_query(\"\n INSERT INTO {$g_table_prefix}field_types (is_editable, non_editable_info, managed_by_module_id, field_type_name,\n field_type_identifier, group_id, is_file_field, is_date_field, raw_field_type_map, raw_field_type_map_multi_select_id,\n list_order, compatible_field_sizes, view_field_rendering_type, view_field_php_function_source, view_field_php_function,\n view_field_smarty_markup, edit_field_smarty_markup, php_processing, resources_css, resources_js)\n VALUES ('no', 'This module may only be edited via the File Upload module.', $module_id, '{\\$LANG.word_file}',\n 'file', $group_id, 'yes', 'no', 'file', NULL, $next_list_order, 'large,very_large', 'smarty', 'core', '',\n '{if \\$VALUE}\\r\\n <a href=\\\"{\\$folder_url}/{\\$VALUE}\\\" \\r\\n {if \\$use_fancybox == \\\"yes\\\"}class=\\\"fancybox\\\"{/if}>{\\$VALUE}</a>\\r\\n{/if}',\n '<div class=\\\"cf_file\\\">\\r\\n <input type=\\\"hidden\\\" class=\\\"cf_file_field_id\\\" value=\\\"{\\$FIELD_ID}\\\" />\\r\\n <div id=\\\"cf_file_{\\$FIELD_ID}_content\\\" {if !\\$VALUE}style=\\\"display:none\\\"{/if}>\\r\\n <a href=\\\"{\\$folder_url}/{\\$VALUE}\\\" \\r\\n {if \\$use_fancybox == \\\"yes\\\"}class=\\\"fancybox\\\"{/if}>{\\$VALUE}</a>\\r\\n <input type=\\\"button\\\" class=\\\"cf_delete_file\\\" \\r\\n value=\\\"{\\$LANG.phrase_delete_file|upper}\\\" />\\r\\n </div>\\r\\n <div id=\\\"cf_file_{\\$FIELD_ID}_no_content\\\" {if \\$VALUE}style=\\\"display:none\\\"{/if}>\\r\\n <input type=\\\"file\\\" name=\\\"{\\$NAME}\\\" />\\r\\n </div>\\r\\n <div id=\\\"file_field_{\\$FIELD_ID}_message_id\\\" class=\\\"cf_file_message\\\"></div>\\r\\n</div>\\r\\n',\n '', '', '/* all JS for this module is found in /modules/field_type_file/scripts/edit_submission.js */')\n \") or die(mysql_error());\n\n $field_type_id = mysql_insert_id();\n\n // now insert the settings and their options\n $query = mysql_query(\"\n INSERT INTO {$g_table_prefix}field_type_settings (field_type_id, field_label, field_setting_identifier, field_type,\n field_orientation, default_value_type, default_value, list_order)\n VALUES ($field_type_id, 'Open link with Fancybox', 'use_fancybox', 'radios', 'horizontal', 'static', 'no', 1)\n \");\n $setting_id = mysql_insert_id();\n $query = mysql_query(\"\n INSERT INTO {$g_table_prefix}field_type_setting_options (setting_id, option_text, option_value, option_order, is_new_sort_group)\n VALUES\n ($setting_id, 'Yes', 'yes', 1, 'yes'),\n ($setting_id, 'No', 'no', 2, 'yes')\n \");\n\n $query = mysql_query(\"\n INSERT INTO {$g_table_prefix}field_type_settings (field_type_id, field_label, field_setting_identifier, field_type,\n field_orientation, default_value_type, default_value, list_order)\n VALUES ($field_type_id, 'Folder Path', 'folder_path', 'textbox', 'na', 'dynamic', 'file_upload_dir,core', 3)\n \");\n $query = mysql_query(\"\n INSERT INTO {$g_table_prefix}field_type_settings (field_type_id, field_label, field_setting_identifier, field_type,\n field_orientation, default_value_type, default_value, list_order)\n VALUES ($field_type_id, 'Folder URL', 'folder_url', 'textbox', 'na', 'dynamic', 'file_upload_url,core', 4)\n \");\n $query = mysql_query(\"\n INSERT INTO {$g_table_prefix}field_type_settings (field_type_id, field_label, field_setting_identifier, field_type,\n field_orientation, default_value_type, default_value, list_order)\n VALUES ($field_type_id, 'Permitted File Types', 'permitted_file_types', 'textbox', 'na', 'dynamic', 'file_upload_filetypes,core', 5)\n \");\n $query = mysql_query(\"\n INSERT INTO {$g_table_prefix}field_type_settings (field_type_id, field_label, field_setting_identifier, field_type,\n field_orientation, default_value_type, default_value, list_order)\n VALUES ($field_type_id, 'Max File Size (KB)', 'max_file_size', 'textbox', 'na', 'dynamic', 'file_upload_max_size,core', 6)\n \");\n $query = mysql_query(\"\n INSERT INTO {$g_table_prefix}field_type_settings (field_type_id, field_label, field_setting_identifier, field_type,\n field_orientation, default_value_type, default_value, list_order)\n VALUES ($field_type_id, 'Field Comments', 'comments', 'textarea', 'na', 'static', '', 7)\n \");\n\n mysql_query(\"\n INSERT INTO {$g_table_prefix}field_type_validation_rules (field_type_id, rsv_rule, rule_label, rsv_field_name,\n custom_function, custom_function_required, default_error_message, list_order)\n \tVALUES ($field_type_id, 'function', '{\\$LANG.word_required}', '', 'files_ns.check_required', 'yes',\n \t '{\\$LANG.validation_default_rule_required}', 1)\n \");\n\n // lastly, add our hooks\n ft_register_hook(\"code\", \"field_type_file\", \"manage_files\", \"ft_update_submission\", \"ft_file_update_submission_hook\", 50, true);\n ft_register_hook(\"code\", \"field_type_file\", \"manage_files\", \"ft_process_form\", \"ft_file_process_form_hook\", 50, true);\n ft_register_hook(\"code\", \"field_type_file\", \"manage_files\", \"ft_api_process_form\", \"ft_file_api_process_form_hook\", 50, true);\n ft_register_hook(\"code\", \"field_type_file\", \"start\", \"ft_delete_submission_files\", \"ft_file_delete_submissions_hook\", 50, true);\n ft_register_hook(\"code\", \"field_type_file\", \"start\", \"ft_get_uploaded_files\", \"ft_file_get_uploaded_files_hook\", 50, true);\n ft_register_hook(\"template\", \"field_type_file\", \"head_bottom\", \"\", \"ft_file_include_js\");\n\n return array(true, \"\");\n}", "function donnees_spip_partenaires_types() {\n\n\t$cles = array('id_type', 'titre', 'descriptif');\n\n\t$valeurs = array(\n\t\tarray('1', 'Officiel', ''),\n\t\tarray('2', 'Institutionnel', ''),\n\t\tarray('3', 'Technique', ''),\n\t);\n\n\treturn array($cles, $valeurs);\n}", "function _metatag_importer_import(array $types = array()) {\n $batch = array(\n 'title' => t('Importing Nodewords data..'),\n 'operations' => array(\n array('_metatag_importer_migrate', array($types)),\n ),\n 'finished' => '_metatag_importer_finished',\n 'file' => drupal_get_path('module', 'metatag_importer') . '/metatag_importer.nodewords.inc',\n );\n batch_set($batch);\n\n // Kick off the batch.\n batch_process();\n}", "function insere_2_init($request) {\n\t$t = insere_1bis_init($request);\n\n\t// ne pas importer cette table, son homologue est prioritaire\n\tunset($t[array_search('spip_types_documents', $t)]);\n\n\t$t[]= 'spip_mots_articles';\n\t$t[]= 'spip_mots_breves';\n\t$t[]= 'spip_mots_rubriques';\n\t$t[]= 'spip_mots_syndic';\n\t$t[]= 'spip_mots_forum';\n\t$t[]= 'spip_mots_documents';\n\t$t[]= 'spip_documents_liens';\n\n\treturn $t;\n}", "public function import($import)\n {\n //parse le xml\n $this->parse($import,false);\n\n\n\n $note=\"Parse OK \".count($this->nuxeotab).\" objets\";\n\n $nuxeo=new NuxeoGestion;\n\n //crée un folder\n //$idfolder=$nuxeo->createDocument(\"1f992202-3b57-4e14-a649-f370b15c0e55\",\"Folder\",\"laravel folder\".date(\"Y-m-d H:i:s\"));\n /*\n $idfolder=\"1f992202-3b57-4e14-a649-f370b15c0e55\";\n //crée le document\n $id=$nuxeo->createDocument($idfolder,\"File\",\"laravel \".date(\"Y-m-d H:i:s\"));\n //crée un batch e trécupère son id\n $batchid=$nuxeo->createbatch();\n //on upload le fichier\n $upload=$nuxeo->uploadFile('patate.jpg',\"patate.jpg\",$batchid);\n\n\n\n $nuxeo->linkUploadedFile($id,$batchid);\n */\n\n #$id=$nuxeo->createDocumentWithFile(\"1f992202-3b57-4e14-a649-f370b15c0e55\",\"BBB62.mp4\",\"Une video de lapin\");\n\n\n\n //$note=\"<a href=https://ged.mines-telecom.fr/nuxeo/nxdoc/default/\".$id.\"/view_documents>Lien vers document</a>\";\n\n //creation du document racine \"nuxeoroot\"\n print $this->nuxeoroot;\n\n #print_r($this->nuxeotab);\n\n $id=$nuxeo->createDocument(\"1f992202-3b57-4e14-a649-f370b15c0e55\",'Folder',$this->nuxeotab[$this->nuxeoroot]['title']);\n\n //creation de la descendance ( arborescence )\n\n $out=$nuxeo->createChilds($id,$this->nuxeoroot,$this->nuxeotab,$this->nuxeoroot);\n\n\n\n //test : creation à plat des docs\n /* dev desactive = creation a plat\n\n\n $ok=0;\n foreach ($this->nuxeotab as $key => $value) {\n print \"racine =\".$this->nuxeoroot;\n print \"key \". $key ;\n print_r($value);\n print\"<br><br>\";\n\n\n if($value['type']=='Document')\n {\n /*print \"<font color=red>import !!</font><br>\";\n\n $pathtodoc=\"/\".$import.\"/documents/r_\".$key;\n print $pathtodoc.\"<br>\";*//*\n $pathtodoc=\"\".$import.\"/documents/r_\".$key.\"_0\";\n $id=$nuxeo->createDocumentWithFile(\"1f992202-3b57-4e14-a649-f370b15c0e55\",$pathtodoc,$value['title']);\n $ok=1;\n }\n\n\n\n\n\n\n }\n dev deactive fin*/\n\n //$note=\"\";\n $id=\"\";\n\n return view('generic_view')->withNote('Message '.$note.\" \".$id)->withDatas([]);\n\n }", "function sinan_set_import_files() {\n return array(\n array(\n 'import_file_name' => __('Demo content', 'sinan'),\n 'local_import_file' => trailingslashit( get_template_directory() ) . 'inc/demo-content/demo-content.xml', \n 'local_import_widget_file' => trailingslashit( get_template_directory() ) . 'inc/demo-content/demo-widgets.wie',\n ),\n );\n}", "function add_tt_1_edar_alkes_import() {\n//\t\tif (! $this->get_permission('fill_this')) return $this->intruder();\n\t\tglobal $_POST, $adodb, $ses;\n\t\t$record = $_POST;\n\t\tforeach ($record as $k => $v) $record[$k] = trim($v);\n\t\t\n\t\t$rsx = $adodb->Execute(\"SELECT * FROM tt_1_edar_alkes_import ORDER by no_tt DESC LIMIT 1\");\n\t\t$tahun_data = date('Y',$rsx->fields['date_insert']);\n\t\t$tahun_now = date('Y');\n\t\t\n\n\t\tif($rsx->fields['urut_no_tt'] == ''){\n\t\t\t$urut_no_tt = 1;\n\t\t}else{\n\t\t\tif($tahun_data == $tahun_now){\n\t\t\t\t$urut_no_tt = $rsx->fields['urut_no_tt'] + 1;\n\t\t\t}else{\n\t\t\t\t$urut_no_tt = 1;\n\t\t\t}\n\t\t}\n\n\t\t$sqly = \"SELECT\n\t\t\tsubdit\n\t\tFROM\n\t\t\tsubdit\n\t\tWHERE\n\t\t\tid_subdit = '\".$_POST['kode_subdit'].\"'\n\t\t\";\n\t\t//print $sqly;\n\t\t$lastno = $rsx->fields['urut_no_tt'];\n\t\t$lastno = $lastno[2].$lastno[3].$lastno[4].$lastno[5].$lastno[6];\n\t\t$lastno = intval($lastno);\n\t\t$lastno = $lastno + $urut_no_tt;\n\n\t\t$rsy = $adodb->Execute($sqly);\n\t\t$subdit = $rsy->fields['subdit'];\n\t\t$a = date('d-m/Y');\n\t\t$no = str_pad($lastno, 5, \"0\", STR_PAD_LEFT);\n\t\t$urut_no_tt = $subdit.\"/\".$no.\"/\".$a;\n\n \t\t$record['urut_no_tt'] = $urut_no_tt;\n\n\n\t\t$rs = $adodb->Execute(\"SELECT * FROM tt_1_edar_alkes_import WHERE no_tt = '{$record['oldpkvalue']}'\");\n\t\tif ($rs && ! $rs->EOF) {\n\t\t\t$adodb->Execute($adodb->GetUpdateSQL($rs, $record, 1));\n\t\t\t$st = \"Updated\";\n\t\t} else {\n\t\t\t$record['insert_by'] = $ses->loginid;\n\t\t\t$record['date_insert'] = time();\n\t\t\t$rs = $adodb->Execute(\"SELECT * FROM tt_1_edar_alkes_import WHERE no_tt = NULL\");\n\t\t\t$adodb->Execute($adodb->GetInsertSQL($rs, $record));\n\t\t\t$st = \"Added\";\n\t\t}\n\t\t//print_r($st);exit();\n\t\t$status = \"Successfull $st '<b>{$record['no_tt']}</b>'\";\n\t\t$this->log($status);\n\t\t\n\t\t$_block = new block();\n\t\t$_block->set_config('title', 'Status');\n\t\t$_block->set_config('width', \"90%\");\n\t\t$_block->parse(array(\"*\".$status));\n\t\treturn $_block->get_str();\n\t}", "function csv2auteurs_upgrade($nom_meta_base_version, $version_cible) {\n\t$maj = array();\n\n\t$maj['create'] = array(\n\t\tarray('ecrire_config','csv2auteurs_separateur','§'));\n\n\t// Déclaration de la valeur par défaut du séparateur de champs\n\tinclude_spip('base/upgrade');\n\tmaj_plugin($nom_meta_base_version, $version_cible, $maj);\n}", "public function copiaArquivosImportantes(){\n\t\t$copiador = new Copiador();\n\t\t$nomeDoSite = $this->software->getNome();\n\t\t\n\t\t\n\t\t\n\t\t$caminho_inicial = 'class/appado/TCriteria.class.php';\n\t\t$caminho_final = 'sistemasphp/'.$nomeDoSite.'/class/appado/TCriteria.class.php';\n\t\t$copiador->setCaminho_inicial($caminho_inicial);\n\t\t$copiador->setCaminho_final($caminho_final);\n\t\t$copiador->copiarArquivo();\n\t\t\n\t\t\t\n\t\t$caminho_inicial = 'class/appado/TExpression.class.php';\n\t\t$caminho_final = 'sistemasphp/'.$nomeDoSite.'/class/appado/TExpression.class.php';\n\t\t$copiador->setCaminho_inicial($caminho_inicial);\n\t\t$copiador->setCaminho_final($caminho_final);\n\t\t$copiador->copiarArquivo();\n\t\t\n\t\t$caminho_inicial ='class/appado/TFilter.class.php';\n\t\t$caminho_final = 'sistemasphp/'.$nomeDoSite.'/class/appado/TFilter.class.php';\n\t\t$copiador->setCaminho_inicial($caminho_inicial);\n\t\t$copiador->setCaminho_final($caminho_final);\n\t\t$copiador->copiarArquivo();\n\t\t\n\t\t\n\t\t$caminho_inicial = 'class/appado/TSqlInstruction.class.php';\n\t\t$caminho_final = 'sistemasphp/'.$nomeDoSite.'/class/appado/TSqlInstruction.class.php';\n\t\t$copiador->setCaminho_inicial($caminho_inicial);\n\t\t$copiador->setCaminho_final($caminho_final);\n\t\t$copiador->copiarArquivo();\n\t\t\n\t\t\n\t\t$caminho_inicial = 'class/appado/TSqlInsert.class.php';\n\t\t$caminho_final = 'sistemasphp/'.$nomeDoSite.'/class/appado/TSqlInsert.class.php';\n\t\t$copiador->setCaminho_inicial($caminho_inicial);\n\t\t$copiador->setCaminho_final($caminho_final);\n\t\t$copiador->copiarArquivo();\n\t\t\n\t\t\n\t\t$caminho_inicial = 'class/appado/TSqlSelect.class.php';\n\t\t$caminho_final = 'sistemasphp/'.$nomeDoSite.'/class/appado/TSqlSelect.class.php';\n\t\t$copiador->setCaminho_inicial($caminho_inicial);\n\t\t$copiador->setCaminho_final($caminho_final);\n\t\t$copiador->copiarArquivo();\n\t\t\n\t\t\n\t}", "function upload()\n {\n JSession::checkToken() or jexit('Invalid Token');\n\n $dir = JPATH_ROOT.'/tmp/';\n $link = 'index.php?option=com_minicckimport&view=main';\n\n $input = JFactory::getApplication()->input;\n\n $language = $input->getString('language', '');\n $type_id = $input->getCmd('type_id', 0);\n $maincat = $input->getInt('maincat', 0);\n $second_cat = $input->get('second_cat', array(), 'array');\n $maincat_col = $input->getInt('maincat_col', 0);\n $seccats_col = $input->getInt('seccats_col', 0);\n $field_separator = $input->getString('field_separator', '');\n $enclosure_char = $input->getString('enclosure_char', '');\n $num_headers = $input->getInt('num_headers', '');\n $num_content = $input->getInt('num_content', '');\n\n\n\n if (!$type_id) {\n // Check for the required Content Type Id\n $this->setRedirect($link, JText::_('COM_MINICCKIMPORT_SELECT_TYPE'));\n return;\n }\n\n if (!$maincat && !$maincat_col)\n {\n // Check for the required main category\n $this->setRedirect($link, JText::_('COM_MINICCKIMPORT_SELECT_CAT'));\n return;\n }\n\n $upload = new UploadFile($_FILES['csvfile']);\n $upload->setAllowFile(array('csv', 'xls', 'xlsx'));\n $upload->setDir($dir);\n\n if (!$upload->upload())\n {\n $this->setRedirect($link, JText::_('COM_MINICCKIMPORT_ERROR_UPLOAD_FILE').$upload->getErrorUploadMsg($upload->error), 'error');\n }\n\n $name = $upload->getName();\n $filename = $dir . $name;\n $fileData = $upload->parseNameFile($name);\n\n $uploaddata = array(\n 'file' => $filename,\n 'type_id' => $type_id,\n 'language' => $language,\n 'maincat' => $maincat,\n 'seccats' => $second_cat,\n 'field_separator' => $field_separator,\n 'enclosure_char' => $enclosure_char,\n 'num_headers' => $num_headers,\n 'num_content' => $num_content,\n 'file_ext' => $fileData[\"ext\"],\n 'maincat_col' => $maincat_col,\n 'seccats_col' => $seccats_col,\n );\n\n $app = JFactory::getApplication();\n\n $app->setUserState('com_minicckimport.uploaddata', $uploaddata);\n\n switch($fileData[\"ext\"])\n {\n case 'xls':\n case 'xlsx':\n case 'csv':\n $link = 'index.php?option=com_minicckimport&view=compareheaders';\n $this->setRedirect($link);\n break;\n default:\n $this->setRedirect($link, JText::_('COM_MINICCKIMPORT_ERROR_EXT_FILE').$fileData[\"ext\"], 'error');\n break;\n }\n }", "function get_file_import_options(){\n\t\treturn array(\n\t\t\t'100' => 'Insert Data As New Records',\n\t\t\t'200' => 'Update Existing Records',\n\t\t);\n\t}", "public function importpartners() {\n\n \tif($this->request->is(['post']))\n \t{\n \t\t$allowed_types = array('\"text/x-comma-separated-values\"','text/x-comma-separated-values','text/csv','application/csv','application/excel','application/vnd.ms-excel','application/vnd.msexcel');\n \t\tif(!empty($this->request->data['partnerscsv']['tmp_name']) && $this->request->data['partnerscsv']['error'] == 0 && in_array(strtolower($this->request->data['partnerscsv']['type']),$allowed_types))\n \t\t{\n\n\t\t\t $users_array = array();\n\t\t\t $existing = $this->Users->find('all');\n\t\t\t foreach ($existing as $row) {\n\t\t\t\t array_push($users_array, $row->email);\n\t\t\t }\n\t\t\t \n\t\t\t $options = array(\n\t\t\t 'length' => 0,\n\t\t\t\t'delimiter' => ',',\n\t\t\t\t'enclosure' => '\"',\n\t\t\t\t'escape' => '\\\\',\n\t\t\t\t'headers' => true\n\t\t\t\t);\n\n\t\t\t\t$this->data = $this->Filemanagement->import($this->request->data['partnerscsv']['tmp_name'], array('company_name', 'email', 'phone', 'website', 'twitter', 'facebook', 'linkedin', 'address', 'city', 'state', 'country', 'postal_code', 'first_name', 'last_name', 'job_title', 'title', 'phone'),$options);\n\n\t\t\t\t$partners_array = array();\n\t\t\t\t$userdata_array = array();\n\t\t\t\t$partnerManagerdata = array();\n\t\t\t\t$outerarray = array();\n\t\t\t\t//$my_array = array();\n\t\t\t\t$skiplist = array();\n\t\t\t\t$thisvendorid = $this->Auth->user('vendor_id');\n\n\t\t\t\t$i=-1;\n\t\t\t\t$partnersaved = false;\n\t\t\t\t$usersaved = false;\n\t\t\t\t$partnermanagersaved = false;\n\n\t\t\t\t// Determine allowable number of partners\n $vendor = $this->Vendors->get($thisvendorid, ['contain'=>['SubscriptionPackages','Partners']]);\n $no_partners_allowed = $vendor->subscription_package->no_partners;\n $current_no_partners = $vendor->has('partners') ? count($vendor->partners) : 0;\n $no_partners_toimport = count($this->data);\n $overload = false; \n if($no_partners_allowed<($current_no_partners + $no_partners_toimport))\n $overload = true;\n else\n\t\t\t\tforeach ($this->data as $row) {\n\t\t\t\t\t$i++;\n\t\t\t\t\t//skip headings\n\t\t\t\t\tif ($i==0) {continue;}\n\t\t\t\t\t//skip blanks rows (company name is required, so if empty - whole row should be empty)\n\t\t\t\t\tif ($row['']['company_name'] == '') { continue; }\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t$partners_array['company_name']\t\t\t=\t\t$row['']['company_name'];\n\t\t\t\t\t$partners_array['email']\t\t\t\t=\t\t$row['']['email'];\n\t\t\t\t\t$partners_array['phone']\t\t\t\t=\t\t$row['']['phone'];\n\t\t\t\t\t$partners_array['website']\t\t\t\t=\t\t$row['']['website'];\n\t\t\t\t\t$partners_array['twitter']\t\t\t\t=\t\t$row['']['twitter'];\n\t\t\t\t\t$partners_array['facebook']\t\t\t\t=\t\t$row['']['facebook'];\n\t\t\t\t\t$partners_array['linkedin']\t\t\t\t=\t\t$row['']['linkedin'];\n\t\t\t\t\t$partners_array['address']\t\t\t\t=\t\t$row['']['address'];\n\t\t\t\t\t$partners_array['city']\t\t\t\t\t=\t\t$row['']['city'];\n\t\t\t\t\t$partners_array['state']\t\t\t\t=\t\t$row['']['state'];\n\t\t\t\t\t$partners_array['country']\t\t\t\t=\t\t$row['']['country'];\n\t\t\t\t\t$partners_array['postal_code']\t\t\t=\t\t$row['']['postal_code'];\n\t\t\t\t\t$partners_array['vendor_manager_id']\t=\t\t$thisvendorid;\n\t\t\t\t\t\n\t\t\t\t\t//set random password\n\t\t\t\t\t$rchars = \"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789!@#$%^&*()_-=+;:,.?\";\n\t\t\t\t\t$rpassword = substr( str_shuffle( $rchars ), 0, 8 );\n\t\t\t\t\t\n\t\t\t\t\t$userdata_array['username']\t\t\t=\t\t$row['']['email'];\n\t\t\t\t\t$userdata_array['email']\t\t\t=\t\t$row['']['email'];\n\t\t\t\t\t$userdata_array['password']\t\t\t=\t\t$rpassword;\n\t\t\t\t\t$userdata_array['status']\t\t\t=\t\t'Y';\n\t\t\t\t\t$userdata_array['role']\t\t\t\t=\t\t'partner';\n\t\t\t\t\t$userdata_array['first_name']\t\t=\t\t$row['']['first_name'];\n\t\t\t\t\t$userdata_array['last_name']\t\t=\t\t$row['']['last_name'];\n\t\t\t\t\t$userdata_array['job_title']\t\t=\t\t$row['']['job_title'];\n\t\t\t\t\t$userdata_array['title']\t\t\t=\t\t$row['']['title'];\n\t\t\t\t\t$userdata_array['phone']\t\t\t=\t\t$row['']['phone'];\n\t\t\t\t\t\n\t\t\t\t\t\n\n\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t//don't partners from csv whose email address is already being used, \n\t\t\t\t\t//add email to array to print to user upon completion of csv import\n\t\t\t\t\tif (in_array($row['']['email'], $users_array)) {\n\t\t\t\t\t\tarray_push($skiplist, $row['']['email']);\n\n\t\t\t\t\t\tcontinue;\n\t\t\t\t\t} \t\t\t\t\n\t\t\t\t\t//append http:// to website addresses that do not already have a http or https prefix\n\t\t\t\t\t$urlfromfile = $row['']['website'];\n\t\t\t\t\t\n\t\t\t\t\tif(substr($urlfromfile, 0, 7) != \"http://\" && substr($urlfromfile, 0,8) != 'https://') {\n\t\t\t\t\t\t$partners_array['website'] = 'http://' . $urlfromfile;\n\t\t\t\t\t}\n\t\t\n\t\t\t\t\t$partners = $this->Partners->newEntity(array_merge($partners_array,['vendor_id'=>$this->Auth->user('vendor_id')]));\n\t\t\t\t\t\n\t\t\t\t\tif ($this->Partners->save($partners))\n\t\t\t\t\t{\n\t\t\t\t\t\t\n\t\t\t\t\t\t// do something after save\n\t\t\t\t\t\t$partner_id = $partners->id;\n\t\t\t\t\t\t$partnersaved = true;\n\t\t\t\t\t\t\n\t\t\t\t\t}\n\t\t\t\t\t\t\t\t\t\n\t\t\t\t\t$users = $this->Users->newEntity($userdata_array);\n\t\t\n\t\t\t\t\tif ($this->Users->save($users))\n\t\t\t\t\t{\t\n\t\t\t\t\t\t$usersaved = true;\n\t\t\t\t\t\t$user_id = $users->id;\n\t\t\t\t\t\t$this->Prmsemails->userSignupemail($userdata_array);\n\t\t\t\t\t}\n\t\t\t\t\t\n\t\t\t\t\t$partnerManagerdata['partner_id']\t\t=\t\t$partner_id;\n\t\t\t\t\t$partnerManagerdata['user_id']\t\t\t=\t\t$user_id;\n\t\t\t\t\t$partnerManagerdata['status']\t\t\t=\t\t'Y';\n\t\t\t\t\t$partnerManagerdata['primary_contact']\t=\t\t'Y';\n\t\t\t\t\t\n\t\t\t\t\t$partnermanagers = $this->PartnerManagers->newEntity($partnerManagerdata);\n\t\t\t\t\t\n\t\t\t\t\tif ($this->PartnerManagers->save($partnermanagers)) {\n\t\t\t\t\t\t$partnermanagersaved = true;\n\t\t\t\t\t}\n\n\t\t\t\t\t}\n\t\t\t\t\t\n\t\t\t\t\tif ($partnersaved == true && $usersaved == true && $partnermanagersaved == true) {\n\t\t\t\t\t\t\n\t\t\t\t\t\tif (!empty($skiplist)) {\n\t\t\t\t\t\t\t$message \t= \t\"The import completed, but some partners could not be added as the email address used already exists and is associated with a user - \";\n\t\t\t\t\t\t\tforeach ($skiplist as $row) {\n\t\t\t\t\t\t\t\t$message.= $row . \", \";\n\t\t\t\t\t\t\t}\t\t\t\n\t\t\t\t\t\t}\n\t\t\t\t\t\telse {\n\t\t\t\t\t\t\t$message = 'The import completed successfully.';\n\t\t\t\t\t\t}\n\t\t\t\t\t\t$this->Flash->success($message);\n\t\t\t\t\t\treturn $this->redirect(array('controller' => 'vendors', 'action' => 'partners'));\n\t\t\t\t\t}\n\t\t\t\t\telse {\n\t\t\t\t\t\tif($overload==true)\n\t\t\t\t\t\t{\n $this->Flash->error('You are only allowed to add '.($no_partners_allowed - $current_no_partners) . ' partners. Please remove some data from your csv sheet.');\n $this->Flash->error('Please upgrade to increase your partner limit, or remove an existing partner to make space for the new ones.');\n \t\t\t\t\treturn $this->redirect(array('controller' => 'Vendors', 'action' => 'suggestUpgrade'));\n\t\t\t\t\t\t}\n else\n {\n\t\t\t\t\t\t\t$this->Flash->error('There was a problem with the upload, please try again ensuring the columns are formatted and ordered as per the template, and check that this file has not previously been uploaded');\n\t\t\t\t\t\t\treturn $this->redirect(array('controller' => 'vendors', 'action' => 'partners'));\n }\t\t\t\t\t\t\n\t\t\t\t\t}\n\t\t\t\t\t\n\t\t\t\t}\n\t\t\t\telse\n\t\t\t\t\t$this->Flash->error('Please make sure to select a valid csv file');\n\n\t\t\t}\n\t\t\n\t\t}", "function importFileObject()\n\t{\n\t\t$form = $this->initImportForm($_REQUEST[\"new_type\"]);\n\t\tif($form->checkInput())\n\t\t{\n\t\t\t$this->uploadQplObject();\n\t\t}\n\n\t\t// display form to correct errors\n\t\t$this->tpl->setContent($form->getHTML());\n\t}", "function import_identifie_id_type($values, $table, $desc, $request) {\n\t$e = $values['extension'];\n\t$t = $values['titre'];\n\t$r = sql_fetsel(\"id_type AS id, titre\", \"spip_types_documents\", \"extension=\" . sql_quote($e) . \" AND titre=\" . sql_quote($t));\n\treturn $r ? array($r['id'], $r['titre']) : false;\n}", "function export()\n { \n \n //DB Connection\n $Config = new JConfig();\n $host = $Config->host ;\n $user = $Config->user ;\n $pass = $Config->password ;\n $name = $Config->db ;\n $prefix = $Config->dbprefix;\n $tables = $prefix.'fieldsattach,'.$prefix.'fieldsattach_categories_values,'.$prefix.'fieldsattach_groups, '.$prefix.'fieldsattach_images, '.$prefix.'fieldsattach_values';\n $return=\"\";\n\n $link = mysql_connect($host,$user,$pass);\n mysql_select_db($name,$link);\n\n //get all of the tables\n if($tables == '*')\n {\n $tables = array();\n $result = mysql_query('SHOW TABLES');\n while($row = mysql_fetch_row($result))\n {\n $tables[] = $row[0];\n }\n }\n else\n {\n $tables = is_array($tables) ? $tables : explode(',',$tables);\n }\n\n //cycle through\n foreach($tables as $table)\n {\n $result = mysql_query('SELECT * FROM '.$table);\n //echo 'SELECT * FROM '.$table;\n $num_fields=0;\n if(count($result)>0){\n $num_fields = mysql_num_fields($result); \n }\n //DROP TABLE IF EXISTS `#__fieldsattach`;\n $return.= 'DROP TABLE IF EXISTS '.$table.';';\n $row2 = mysql_fetch_row(mysql_query('SHOW CREATE TABLE '.$table));\n $createsqtring = str_replace(array('\\r\\n', PHP_EOL), '', $row2[1]); \n //$return.= \"\\n\\n\".$row2[1].\";\\n\\n\";\n $return.= \"\\n\\n\".$createsqtring.\";\\n\\n\";\n\n \n for ($i = 0; $i < $num_fields; $i++) \n {\n while($row = mysql_fetch_row($result))\n {\n $return.= 'INSERT INTO '.$table.' VALUES(';\n for($j=0; $j<$num_fields; $j++) \n {\n // echo $row[$j];\n $row[$j] = addslashes($row[$j]);\n //$row[$j] = ereg_replace(\"\\n\",\"\\\\n\",$row[$j]);\n $row[$j] = preg_replace(\"/\\n/\",\"/\\\\n/\",$row[$j]);\n\n if (isset($row[$j])) { $return.= '\"'.$row[$j].'\"' ; } else { $return.= '\"\"'; }\n if ($j<($num_fields-1)) { $return.= ','; }\n }\n $return.= \");\\n\";\n //$return = str_replace(array('\\r\\n', PHP_EOL), '', $return); \n //$return= $return.\"\\n\";\n }\n }\n $return.=\"\\n\\n\\n\";\n }\n\n //save file\n $app = JFactory::getApplication();\n $path = JPATH_SITE.DS.'images'.DS;\n $filename = 'db-backup-'.time().'-'.(md5(implode(',',$tables)));\n $handle = fopen($path.$filename.'.sql','w+');\n fwrite($handle,$return);\n fclose($handle);\n \n $files_to_zip = array(\n $path.$filename.'.sql'\n );\n //if true, good; if false, zip creation failed\n $result = $this->create_zip($files_to_zip, $path.$filename.'.zip');\n $app->enqueueMessage( JTEXT::_(\"EXPORT OK\") . '<br /><br /> Download: <a href=\"../images/'.$filename.'.zip\">images/'.$filename.'.zip</a>' ) ;\n unlink($path.$filename.'.sql');\n \n // Load the submenu.\n\t\tfieldsattachHelper::addSubmenu(JRequest::getCmd('view', 'fieldsattach'));\n parent::display(); \n }", "function creer_champs_extras($champs) {\n\tif (!$champs) {\n\t\treturn;\n\t}\n\t\n\tif (!is_array($champs)) \n\t\t$champs = array($champs);\n\t\t\t\t\n\t// on recupere juste les differentes tables a mettre a jour\n\t$tables = array();\n\tforeach ($champs as $c){ \n\t\tif ($table = $c->_table_sql) {\n\t\t\t$tables[$table] = $table;\n\t\t} else {\n\t\t\t// ici on est bien ennuye, vu qu'on ne pourra pas creer ce champ.\n\t\t\textras_log(\"Aucune table trouvee pour le champs extras ; il ne pourra etre cree :\", true);\n\t\t\textras_log($c, true);\n\t\t}\n\t}\t\n\n\tif (!$tables) {\n\t\treturn false;\n\t}\n\t\n\t// on met a jour les tables trouvees\n\t// recharger les tables principales et auxiliaires\n\tinclude_spip('base/serial');\n\tinclude_spip('base/auxiliaires');\n\tglobal $tables_principales, $tables_auxiliaires;\n\tbase_serial($tables_principales);\n\tbase_auxiliaires($tables_auxiliaires);\n\t\n\t// inclure les champs extras declares ALORS que le pipeline\n\t// n'est pas encore actif : important lorsqu'on active\n\t// en meme temps CE2 et un plugin dependant\n\t// et non l'un apres l'autre\n\tif (!defined('_CHAMPS_EXTRAS_DECLARES')) {\n\t\tinclude_spip('base/cextras');\n\t\t$tables_principales = cextras_declarer_tables_principales($tables_principales);\n\t}\n\n\t// executer la mise a jour\n\tinclude_spip('base/create');\n\tmaj_tables($tables);\n\n\t// pour chaque champ a creer, on verifie qu'il existe bien maintenant !\n\t$trouver_table = charger_fonction('trouver_table','base');\n\t$trouver_table(''); // recreer la description des tables.\n\t$retour = true;\n\tforeach ($champs as $c){\n\t\tif ($objet = $c->_objet) {\n\t\t\t$desc = $trouver_table($objet);\n\t\t\tif (!isset($desc['field'][$c->champ])) {\n\t\t\t\textras_log(\"Le champ extra '\" . $c->champ . \"' sur $objet n'a pas ete cree :(\", true);\n\t\t\t\t$retour = false;\n\t\t\t}\n\t\t} else {\n\t\t\t$retour = false;\n\t\t}\n\t}\n\treturn $retour;\n}", "function createFiles()\n {\n global $objDatabase, $_ARRAYLANG;\n\n $arrModules = array();\n $arrLanguages = array();\n $arrModulesPath = array();\n $arrModuleVariables = array();\n $arrErrorFiles = array();\n $objFile = new File();\n\n $strHeader = \"/**\\n* Contrexx CMS\\n* generated date \".date('r',time()).\"\\n**/\\n\\n\";\n\n // generate the arrays $arrModulesPath and $arrModules\n $query = \"SELECT id, name, is_core FROM \".DBPREFIX.\"modules\";\n $objResult = $objDatabase->Execute($query);\n if ($objResult !== false) {\n while (!$objResult->EOF) {\n if (strlen($objResult->fields['name'])>0) {\n switch($objResult->fields['name']) {\n case 'core':\n $arrModulesPath[$objResult->fields['name']]['sys'] = ASCMS_DOCUMENT_ROOT;\n $arrModulesPath[$objResult->fields['name']]['web'] = ASCMS_PATH_OFFSET;\n break;\n case 'Media1':\n $arrModulesPath['Media']['sys'] = ASCMS_CORE_MODULE_PATH.'/Media';\n $arrModulesPath['Media']['web'] = ASCMS_CORE_MODULE_WEB_PATH.'/Media';\n $objResult->fields['name'] = 'Media';\n break;\n case 'Media2':\n case 'Media3':\n $objResult->fields['name'] = \"\";\n break;\n default:\n $arrModulesPath[$objResult->fields['name']]['sys'] = ($objResult->fields['is_core'] == 1 ? ASCMS_CORE_MODULE_PATH : ASCMS_MODULE_PATH).'/'.$objResult->fields['name'];\n $arrModulesPath[$objResult->fields['name']]['web'] = ($objResult->fields['is_core'] == 1 ? ASCMS_CORE_MODULE_WEB_PATH : ASCMS_MODULE_WEB_PATH).'/'.$objResult->fields['name'];\n }\n if (!empty($objResult->fields['name'])) {\n $arrModulesPath[$objResult->fields['name']]['sys'] .= '/lang/';\n $arrModulesPath[$objResult->fields['name']]['web'] .= '/lang/';\n }\n }\n $arrModules[$objResult->fields['id']] = array(\n 'id' => $objResult->fields['id'],\n 'name' => $objResult->fields['name']\n );\n $objResult->MoveNext();\n }\n }\n\n // get language array\n $query = \"SELECT id, lang FROM \".DBPREFIX.\"languages\";\n $objResult = $objDatabase->Execute($query);\n if ($objResult !== false) {\n while (!$objResult->EOF) {\n $arrLanguages[$objResult->fields['id']] = array(\n 'id' => $objResult->fields['id'],\n 'lang' => $objResult->fields['lang']\n );\n $objResult->MoveNext();\n }\n }\n\n // get language variables\n $query = \"SELECT vn.name, vn.module_id, vn.backend, vn.frontend, vc.content, vc.lang_id\n FROM \".DBPREFIX.\"language_variable_names AS vn,\n \".DBPREFIX.\"language_variable_content AS vc\n WHERE vn.id=vc.varid\";\n\n // generate array $arrModuleVariables including the variables\n $objResult = $objDatabase->Execute($query);\n if ($objResult !== false) {\n while (!$objResult->EOF) {\n if ($objResult->fields['module_id'] == 0) {\n $moduleId = 1;\n } else {\n $moduleId = $objResult->fields['module_id'];\n }\n if ($objResult->fields['backend'] == 1) {\n $arrModuleVariables[$moduleId][$objResult->fields['lang_id']]['backend'][$objResult->fields['name']] = $objResult->fields['content'];\n }\n if ($objResult->fields['frontend'] == 1) {\n $arrModuleVariables[$moduleId][$objResult->fields['lang_id']]['frontend'][$objResult->fields['name']] = $objResult->fields['content'];\n }\n $objResult->MoveNext();\n }\n }\n // generate array $arrOutput with the data to write into files\n foreach ($arrModuleVariables as $moduleId => $arrLanguageVariables) {\n foreach ($arrLanguageVariables as $langId => $arrModeVariables) {\n $filePath = $arrModulesPath[$arrModules[$moduleId]['name']]['sys'].$arrLanguages[$langId]['lang'].'/';\n $webFilePath = $arrModulesPath[$arrModules[$moduleId]['name']]['web'].$arrLanguages[$langId]['lang'].'/';\n if (!file_exists($filePath)) {\n $objFile->mkDir($arrModulesPath[$arrModules[$moduleId]['name']]['sys'], $arrModulesPath[$arrModules[$moduleId]['name']]['web'], $arrLanguages[$langId]['lang'].'/');\n }\n foreach ($arrModeVariables as $strMode => $arrVariables) {\n $fileName = $strMode.\".php\";\n $arrOutput[$filePath.$fileName]['filename'] = $fileName;\n $arrOutput[$filePath.$fileName]['path'] = $filePath;\n $arrOutput[$filePath.$fileName]['webpath'] = $webFilePath;\n foreach ($arrVariables as $strName => $strContent) {\n //$strContent = stripslashes(stripslashes($strContent));\n //$strContent = str_replace(\"\\\"\", \"\\\\\\\"\", $strContent);\n //$strContent = addslashes($strContent);\n if (isset($arrOutput[$filePath.$fileName]['content'])) {\n $arrOutput[$filePath.$fileName]['content'] .= \"$\".\"_ARRAYLANG['\".$strName.\"'] = \\\"\".$strContent.\"\\\";\\n\";\n } else {\n $arrOutput[$filePath.$fileName]['content'] = \"$\".\"_ARRAYLANG['\".$strName.\"'] = \\\"\".$strContent.\"\\\";\\n\";\n }\n }\n }\n }\n }\n unset($arrModuleVariables);\n // write variables to files\n foreach ($arrOutput as $file => $strOutput) {\n $objFile->setChmod($strOutput['path'], $strOutput['webpath'], '');\n $objFile->setChmod($strOutput['path'], $strOutput['webpath'], $strOutput['filename']);\n $fileHandle = fopen($file,\"w\");\n if ($fileHandle) {\n @fwrite($fileHandle,\"<?php\\n\".$strHeader.$strOutput['content'].\"?>\\n\");\n @fclose($fileHandle);\n } else {\n array_push($arrErrorFiles,$file);\n }\n }\n\n unset($arrOutput);\n if (count($arrErrorFiles)>0) {\n foreach ($arrErrorFiles as $file) {\n $this->strErrMessage .= \"<br />\".$_ARRAYLANG['TXT_COULD_NOT_WRITE_TO_FILE'].\" (\".$file.\")\";\n }\n } else {\n $this->strOkMessage .= \"<br />\".$_ARRAYLANG['TXT_SUCCESSFULLY_EXPORTED_TO_FILES'];\n }\n }", "public function add_ids_to_import_files($type, $path) {\n global $dataplusdb;\n\n $cols = $dataplusdb->list_columns_of_type($type);\n\n if (!empty($cols) && file_exists($path)) {\n $cols[] = 'id';\n $records = $dataplusdb->query_dataplus_database($cols);\n\n $hande = opendir($path);\n\n while (false !== ($file = readdir($hande))) {\n if ($file == '.' || $file == '..') {\n continue;\n }\n\n $found = false;\n\n foreach ($records as $record) {\n foreach ($cols as $col) {\n if ($record->$col == $file) {\n $fitemid = $this->get_itemid($col, $record->id);\n rename($path . '/' . $file, $path . '/' . $fitemid .'-' . $file);\n $found = true;\n break;\n }\n }\n\n if ($found) {\n break;\n }\n }\n }\n }\n }", "public function saveFields()\n {\n $nome_arquivo = $this->arquivo;\n $array_insert = $this->readFile();\n\n if(!empty($array_insert))\n {\n array_shift($array_insert);\n Yii::$app->db->createCommand()->batchInsert(\n 'alimentos', \n ['descricao', 'medida_caseira', 'calorias', 'grupo_id'],\n $array_insert\n )->execute();\n\n $this->total_insert = count($array_insert);\n }\n\n }", "public function provider_import ()\n {\n $import = $this->get_import_db_adapter ();\n $wcos1_upload_path = APPLICATION_PATH . '/../public/wcos1_uploads/';\n \n $query = $import->select ()->from ('anbieter', array ('anbieterID', 'stammdatenID', 'firmenname', 'name1', 'name2', 'anbieterhash', 'last_login', 'number', 'LebenszeitID', 'Suchname', 'lastChange', 'created', 'premiumLevel', 'systems')); \n $anbieter_data = $import->fetchAll ($query);\n \n foreach ($anbieter_data as $anbieter)\n { \n //visits\n $query = $import->select ()->from ('stats_visits', array ('COUNT(vmKundennummer)'))->where ('vmKundennummer ='.$anbieter ['anbieterID']);\n $visits = $import->fetchOne ($query);\n \n //Anbieter-Kern-Daten\n $anbieter_table_data = $anbieter;\n $premiumLevel = $anbieter_table_data ['premiumLevel'];\n $systems = $anbieter_table_data ['systems'];\n unset ($anbieter_table_data ['premiumLevel'], $anbieter_table_data ['systems']);\n $anbieter_table_data ['visits'] = $visits;\n $this->_db->insert ('anbieter', $anbieter_table_data);\n \n //Stammdaten\n $query = $import->select ()->from ('stammdaten', array ('stammdatenID', 'anbieterID', 'strasse', 'hausnummer', 'land', 'plz', 'ort', 'fon', 'fax', 'email', 'www', 'mediaID'))->where ('stammdatenID = '.$anbieter ['stammdatenID'])->where ('anbieterID ='.$anbieter ['anbieterID']);\n $stammdaten_table_data = $import->fetchRow ($query);\n //$mediaID = $stammdaten_table_data ['mediaID'];\n $stammdaten_table_data ['id'] = $stammdaten_table_data ['stammdatenID'];\n unset ($stammdaten_table_data ['mediaID'], $stammdaten_table_data ['stammdatenID']);\n \n if (!empty ($stammdaten_table_data ['id'])) \n $this->_db->insert ('stammdaten', $stammdaten_table_data);\n \n //Firmenlogo\n $query = $import->select ()->from ('media')->where ('anbieterID = '. $anbieter ['anbieterID'])->where ('mediatyp = \"FIRMENLOGO\"');\n $media_orig_data = $import->fetchRow ($query);\n if (!empty ($media_orig_data))\n { \n $filename_new = md5 ($media_orig_data ['mediadatei'].rand().time ()).'.'.$media_orig_data ['mediaExtension'];\n shell_exec ('cp '.$wcos1_upload_path.$media_orig_data ['mediaID'].'.'.$media_orig_data ['mediaExtension'].' '.UPLOAD_PATH.$filename_new); \n $this->_db->insert ('media', array ('anbieterID' => $media_orig_data ['anbieterID'], 'media_type' => 5, 'beschreibung' => $media_orig_data ['beschreibung'], 'media' => $filename_new, 'link' => $media_orig_data ['link'], 'object_id' => $anbieter ['stammdatenID'], 'system_id' => 0));\n }\n \n //System-Stati\n $system_data = array ();\n $system_data ['anbieterID'] = $anbieter ['anbieterID']; \n \n $systeme = array (1, 2, 3, 405, 999); \n $premium_systems = array_filter (explode (',', $systems));\n $query = $import->select ()->from ('laufzeiten')->where ('anbieterID = '. $anbieter ['anbieterID']);\n $runtimes = $import->fetchRow ($query);\n foreach ($systeme as $system_id)\n {\n $system_data ['premium'] = ($premiumLevel == 1 AND in_array ($system_id, $premium_systems)) ? 1 : 0; \n $system_data ['start'] = '';\n $system_data ['end'] = '';\n $system_data ['system_id'] = $system_id; \n \n if ($system_data ['premium'] == 1 AND !empty ($runtimes))\n {\n $start = new Zend_Date ($runtimes ['startdatum']);\n $system_data ['start'] = $start->get (Zend_Date::TIMESTAMP);\n $start_date_parts = array_filter (explode ('-', substr ($runtimes ['startdatum'], 0, 10)));\n $system_data ['end'] = mktime (0, 0, 0, (int)$start_date_parts [1] + $runtimes ['laufzeit'], (int)$start_date_parts [2], (int)$start_date_parts [0]);\n } \n \n $this->_db->insert ('systeme', $system_data); \n } \n } \n }", "function import() {\n\t\t// vyprazdnim tabulku\n\t\t$this->truncate();\n\t\t$condition = null;\n\t\t$snProducts = $this->findAllSn();\n\t\tforeach ($snProducts as $snProduct) {\n\t\t\tif ($product = $this->transformSn($snProduct)) {\n\t\t\t\t$this->create();\n\t\t\t\tif (!$this->save($product)) {\n\t\t\t\t\tdebug($product);\n\t\t\t\t\tdebug($this->validationErrors);\n\t\t\t\t\t$this->save($product, false);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}", "public static function installDefaultypes()\n {\n $dom = ZLanguage::getModuleDomain('Clip');\n\n $lang = ZLanguage::getLanguageCode();\n $batch = new Clip_Import_Batch();\n\n $defaults = array('blog', 'staticpages');\n\n foreach ($defaults as $default) {\n // check if the pubtype exists\n $pubtype = Doctrine_Core::getTable('Clip_Model_Pubtype')->findByUrltitle($default);\n if (count($pubtype)) {\n LogUtil::registerStatus(__f(\"There is already a '%s' publication type.\", $default, $dom));\n } else {\n // import the default XML\n $file = \"modules/Clip/docs/xml/$lang/$default.xml\";\n if (!file_exists($file)) {\n $file = \"modules/Clip/docs/xml/en/$default.xml\";\n }\n\n if ($batch->setup(array('url' => $file)) && $batch->execute()) {\n LogUtil::registerStatus(__f(\"Default '%s' publication type created successfully.\", $default, $dom));\n } else {\n LogUtil::registerStatus(__f(\"Could not import the '%s' publication type.\", $default, $dom));\n }\n }\n }\n }", "public static function loadLanguageFiles() {\n\n \t//TODO: re-enable\n \treturn;\n\n $app = JFactory::getApplication();\n $option = JRequest::getCmd( 'option');\n $task = JRequest::getCmd( 'task');\n\n if( $app->isAdmin() && $option == 'com_plugins' && $task == 'edit') {\n // identify the plugin\n $cid = JRequest::getVar( 'cid');\n $id = intval($cid[0]);\n // is it ours ? well, theirs ?\n $filename = '';\n $plgTable = JTable::getInstance( 'plugin');\n $loaded = $plgTable->load( $id);\n if($loaded) {\n if($plgTable->folder == 'sh404sefextacesef') {\n $filename = 'com_sh404sef.acesef';\n }\n /*if($plgTable->folder == 'sh404sefextjoomsef') {\n $filename = 'com_sh404sef.joomsef';\n }*/\n // load a custom language file\n if(!empty( $filename)) {\n $language = JFactory::getLanguage();\n $language->load($filename, JPATH_ADMINISTRATOR);\n }\n }\n }\n }", "function clients_upgrade($nom_meta_base_version,$version_cible){\n\t$maj = array();\n\t// creation initiale\n\t$maj['create'] = array(\n\t\tarray('maj_tables',array('spip_auteurs')),\n\t);\n\n\t// lancer la maj\n\tinclude_spip('base/upgrade');\n\tmaj_plugin($nom_meta_base_version, $version_cible, $maj);\n}" ]
[ "0.6255102", "0.6202731", "0.61095387", "0.6029372", "0.60118616", "0.60068023", "0.5958557", "0.5930619", "0.591387", "0.58998644", "0.5876099", "0.5847896", "0.58320796", "0.5803534", "0.5768457", "0.57632345", "0.57570523", "0.5753833", "0.5745395", "0.5676153", "0.56737936", "0.56671184", "0.5648861", "0.5645719", "0.5642633", "0.56276655", "0.561623", "0.5610936", "0.56034493", "0.56008756" ]
0.77118474
0
Donnees de la table spip_partenaires_types
function donnees_spip_partenaires_types() { $cles = array('id_type', 'titre', 'descriptif'); $valeurs = array( array('1', 'Officiel', ''), array('2', 'Institutionnel', ''), array('3', 'Technique', ''), ); return array($cles, $valeurs); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function getTypePraticiens() {\n $sql = $this->sqlTypePraticien . ' order by lib_type_praticien';\n $typePraticiens = $this->executerRequete($sql);\n return $typePraticiens;\n }", "function importer_spip_partenaires_types() {\n\n\t######## VERIFIEZ LE NOM DE LA TABLE D'INSERTION ###########\n\t$table = 'spip_partenaires_types';\n\n\t// nom_du_champ_source => nom_du_champ_destination\n\t// mettre vide la destination ou supprimer la ligne permet de ne pas importer la colonne.\n\t$correspondances = array(\n\t\t'id_type' => 'id_type',\n\t\t'titre' => 'titre',\n\t\t'descriptif' => 'descriptif',\n\t\t'maj' => 'maj',\n\t);\n\n\t// transposer les donnees dans la nouvelle structure\n\t$inserts = array();\n\tlist($cles, $valeurs) = donnees_spip_partenaires_types();\n\t// on remet les noms des cles dans le tableau de valeur\n\t// en s'assurant de leur correspondance au passage\n\tif (is_array($valeurs)) {\n\t\tforeach ($valeurs as $v) {\n\t\t\t$i = array();\n\t\t\tforeach ($v as $k => $valeur) {\n\t\t\t\t$cle = $cles[$k];\n\t\t\t\tif (isset($correspondances[$cle]) and $correspondances[$cle]) {\n\t\t\t\t\t$i[ $correspondances[$cle] ] = $valeur;\n\t\t\t\t}\n\t\t\t}\n\t\t\t$inserts[] = $i;\n\t\t}\n\t\tunset($valeurs);\n\n\t\t// inserer les donnees en base.\n\t\t$nb_inseres = 0;\n\t\t// ne pas reimporter ceux deja la (en cas de timeout)\n\t\t$nb_deja_la = sql_countsel($table);\n\t\t$inserts = array_slice($inserts, $nb_deja_la);\n\t\t$nb_a_inserer = count($inserts);\n\t\t// on decoupe en petit bout (pour reprise sur timeout)\n\t\t$inserts = array_chunk($inserts, 100);\n\t\tforeach ($inserts as $i) {\n\t\t\tsql_insertq_multi($table, $i);\n\t\t\t$nb_inseres += count($i);\n\t\t\t// serie_alter() relancera la fonction jusqu'a ce que l'on sorte sans timeout.\n\t\t\tif (time() >= _TIME_OUT) {\n\t\t\t\t// on ecrit un gentil message pour suivre l'avancement.\n\t\t\t\techo \"<br />Insertion dans $table relanc&eacute;e : \";\n\t\t\t\techo \"<br />- $nb_deja_la &eacute;taient d&eacute;j&agrave; l&agrave;\";\n\t\t\t\techo \"<br />- $nb_inseres ont &eacute;t&eacute; ins&eacute;r&eacute;s.\";\n\t\t\t\t$a_faire = $nb_a_inserer - $nb_inseres;\n\t\t\t\techo \"<br />- $a_faire &agrave; faire.\";\n\t\t\t\treturn;\n\t\t\t}\n\t\t}\n\t}\n}", "function get_fields_types() {\n\t \t$fields_types = $this->ci->fields->get_fields_types();\n \n foreach ($fields_types->result() as $row){\n \n $data[] = array(\n 'fields_type_id' => $row->fields_type_id,\n 'fields_type_nombre' => $row->fields_type_nombre\n );\n }\n\n return $data;\n\t }", "function zotspip_configurer_ordre_types($ordre) {\r\n\tif (!is_array($ordre)) $ordre=array();\r\n\t$ordre = array_flip($ordre);\r\n\t// Il faut completer par rapport au schema Zotero (au cas ou le schema change)\r\n\t$zotero = schema_zotero('itemTypes');\r\n\t$zotero[]='attachment'; // Ajouter les pieces jointes non presentes dans le schema\r\n\t$ordre = array_merge($ordre,array_flip($zotero));\r\n\t// Ajout des chaines de langue\r\n\tforeach ($ordre as $cle => $val)\r\n\t\t$ordre[$cle] = zotspip_traduire_type($cle);\r\n\treturn $ordre;\r\n}", "public function getAllTypePanne() {\n $this->db->select('typepanne.numero as typePanneNumero, typepanne.libelle as typePanneLibelle');\n $this->db->from('typepanne');\n $this->db->order_by(\"typepanne.numero\", \"asc\");\n $sql = $this->db->get();\n return $sql->result();\n }", "function infos_type_demande($id){\n $tb = array();\n $id = intval($id);\n if (!$id) return($tb);\n // ---- table utilisée\n $tbl = $this->nom_table('type_demande');\n // --- requête SQL\n $cde = \"select * from $tbl where id_type_demande=$id\";\n $result = $this->requete_sql($this->db, $cde);\n if ($this->debug_mode && !$result) {\n echo \"<b>infos_type_demande</b> $cde (erreur:\";\n echo mysql_error() . \")<br>\";\n }\n $tb = $result->fetchAll(PDO::FETCH_ASSOC);\n return( $tb );\n }", "public function getPartTypeAliasTypeList()\r\n {\r\n \t$data = array();\r\n \t$partTypeAliasTypes = Factory::service(\"PartType\")->getPartTypeAliasTypesForCreationEdit();\r\n \tforeach($partTypeAliasTypes as $partTypeAliasType)\r\n \t{\r\n \t\t\t$data[]=array(\"id\"=>$partTypeAliasType->getId(),\"name\"=>$partTypeAliasType->getName());\r\n \t}\r\n \treturn $data;\t\r\n }", "function prizes_types($editing = 0) { return array(); }", "public function getFkDiariasTipoDiariaDespesas()\n {\n return $this->fkDiariasTipoDiariaDespesas;\n }", "public function typedepartement() {\n return $this->belongsTo('App\\TypeDepartement', 'type_departement_id');\n }", "public function getReceiptTypes()\n {\n $em = $this->em;\n $results = $em->getRepository(TipoIngreso::class)->findBy([]);\n foreach ($results as $result) {\n $result->setDescripcion($result->getDescripcion());\n }\n\n return $results;\n }", "public function deportes()\n {\n return $this->belongsToMany(static::$deportesModel, 'inv_productos_deportes', 'id_producto', 'id_deporte')->withTimestamps()->select(array('id', 'nombre as text'));\n }", "function wp_partenaires() {\n\n\t$labels = array(\n\t\t'name' => _x( 'partenaires', 'Post Type General Name', 'text_domain' ),\n\t\t'singular_name' => _x( 'partenaire', 'Post Type Singular Name', 'text_domain' ),\n\t\t'menu_name' => __( 'Partenaires', 'text_domain' ),\n\t\t'name_admin_bar' => __( 'Post Type', 'text_domain' ),\n\t\t'archives' => __( 'Item Archives', 'text_domain' ),\n\t\t'attributes' => __( 'Item Attributes', 'text_domain' ),\n\t\t'parent_item_colon' => __( 'Parent Item:', 'text_domain' ),\n\t\t'all_items' => __( 'Les partenaires', 'text_domain' ),\n\t\t'add_new_item' => __( 'Ajouter un partenaire', 'text_domain' ),\n\t\t'add_new' => __( 'Ajouter partenaire', 'text_domain' ),\n\t\t'new_item' => __( 'Nouveau partenaire', 'text_domain' ),\n\t\t'edit_item' => __( 'Edit partenaire', 'text_domain' ),\n\t\t'update_item' => __( 'Update Item', 'text_domain' ),\n\t\t'view_item' => __( 'View Item', 'text_domain' ),\n\t\t'view_items' => __( 'View Items', 'text_domain' ),\n\t\t'search_items' => __( 'Search Item', 'text_domain' ),\n\t\t'not_found' => __( 'Not found', 'text_domain' ),\n\t\t'not_found_in_trash' => __( 'Not found in Trash', 'text_domain' ),\n\t\t'featured_image' => __( 'Featured Image', 'text_domain' ),\n\t\t'set_featured_image' => __( 'Set featured image', 'text_domain' ),\n\t\t'remove_featured_image' => __( 'Remove featured image', 'text_domain' ),\n\t\t'use_featured_image' => __( 'Use as featured image', 'text_domain' ),\n\t\t'insert_into_item' => __( 'Insert into item', 'text_domain' ),\n\t\t'uploaded_to_this_item' => __( 'Uploaded to this item', 'text_domain' ),\n\t\t'items_list' => __( 'Items list', 'text_domain' ),\n\t\t'items_list_navigation' => __( 'Items list navigation', 'text_domain' ),\n\t\t'filter_items_list' => __( 'Filter items list', 'text_domain' ),\n\t);\n\t$args = array(\n\t\t'label' => __( 'partenaire', 'text_domain' ),\n\t\t'description' => __( 'les partenaires', 'text_domain' ),\n\t\t'labels' => $labels,\n\t\t'supports' => array( 'title', 'editor', 'thumbnail' ),\n\t\t'taxonomies' => array( 'category', 'post_tag' ),\n\t\t'hierarchical' => false,\n\t\t'public' => true,\n\t\t'show_ui' => true,\n\t\t'show_in_menu' => true,\n\t\t'menu_position' => 5,\n\t\t'show_in_admin_bar' => true,\n\t\t'show_in_nav_menus' => true,\n\t\t'can_export' => true,\n\t\t'has_archive' => true,\n\t\t'exclude_from_search' => false,\n\t\t'publicly_queryable' => true,\n\t\t'capability_type' => 'page',\n\t);\n\tregister_post_type( 'wp_partenaires', $args );\n\n}", "public function getTypesGardes(){\n\t// FROM z_garde a\n\t// LEFT JOIN z_sv_garde b ON b.id_svGarde = a.id_svGarde\n\t// LEFT JOIN z_type_garde c ON c.id_typeGarde = b.id_typeGarde\n\t// LEFT JOIN services d ON d.id_service = b.id_service\n\t// ORDER BY a.dateHr_debut';\n\t// echo $sql;\n\t$sql='SELECT id_typeGarde, denomination FROM z_type_garde ORDER BY denomination';\n\t$req=$this->appli->dbPdo->query($sql);\n\treturn $req;\n\t}", "public function getTypes(){\n // définition de la requete\n $query = 'SHOW COLUMNS FROM ' . $this->table . ' like \\'type\\'';\n $this->query = $query;\n // éxécution de la requete\n $resultat = $this->db->query($query);\n\n if(!$resultat){\n return [];\n }\n else{\n $clean = ['enum(', ')', '\\''];\n $liste = explode(',', str_replace($clean, '', $resultat->fetch()['Type'])); \n return $liste;\n }\n }", "public static function getDonnesPart($idPart){\r\n\t\t// tableau de players à retourner\r\n\t\t$donnes = array();\r\n\t\t// query select\r\n\t\t$query = \"SELECT IDDonne\r\n\t\t\t\t\t, IDPart\r\n\t\t\t\t\t, pointsResult_1\r\n\t\t\t\t\t, pointsResult_2\r\n\t\t\t\t\t, annonces_1\r\n\t\t\t\t\t, annonces_2\r\n\t\t\t\t\t, stock_1\r\n\t\t\t\t\t, stock_2\r\n\t\t\t\t\t, asset\r\n\t\t\t\t\t, chibre\r\n\t\t\t\t FROM donne\r\n\t\t\t\t WHERE IDPart = ?\r\n\t\t\t\t ORDER BY IDDonne;\";\r\n\t\t$attributes = array($idPart);\r\n\t\t$result = MySqlConn::getInstance()->execute($query, $attributes);\r\n\t\tif($result['status']=='error' || empty($result['result']))\r\n\t\t\treturn false;\r\n\t\t\t\r\n\t\t\t//\t boucler le résultat et ajouter dans le tableau de donne\r\n\t\t\tforeach ($result['result'] as $key => $res_donne){\r\n\t\t\t\t$donnes[$key+1] = new Donne($res_donne['IDDonne']\r\n\t\t\t\t\t\t, $res_donne['IDPart']\r\n\t\t\t\t\t\t, array(1 => $res_donne['pointsResult_1'], $res_donne['pointsResult_2'])\r\n\t\t\t\t\t\t, array(1 => $res_donne['annonces_1'], $res_donne['annonces_2'])\r\n\t\t\t\t\t\t, array(1 => $res_donne['stock_1'], $res_donne['stock_2'])\r\n\t\t\t\t\t\t, $res_donne['asset']\r\n\t\t\t\t\t\t, $res_donne['chibre']);\r\n\t\t\t}\r\n\t\t\treturn $donnes;\r\n\t}", "function get_componentes_preguntas()\r\n\t{\r\n\t\t$sql = \"SELECT sge_componente_pregunta.numero,\r\n\t\t\t\t\t\t\tsge_componente_pregunta.descripcion\r\n\t\t\t\tFROM \tsge_componente_pregunta\r\n WHERE sge_componente_pregunta.numero <> '\".self::COMBO_DINAMICO.\"'\r\n\t\t\t\tORDER BY\ttipo,\r\n\t\t\t\t\t\t\tdescripcion\";\r\n\t\t\r\n\t\treturn consultar_fuente($sql);\r\n\t}", "public function Departamentos()\n {\n $oDbl = $this->getoDbl();\n $tabla = $this->getNomTabla();\n\n $oGesDirectores = new profesores\\GestorProfesorDirector();\n $cDirectores = $oGesDirectores->getProfesoresDirectores(array('f_cese' => 1), array('f_cese' => 'IS NULL'));\n\n $rta['num'] = count($cDirectores);\n if ($this->blista == true && $rta['num'] > 0) {\n $html = '<table>';\n foreach ($cDirectores as $oDirector) {\n $id_departamento = $oDirector->getId_departamento();\n $id_nom = $oDirector->getId_nom();\n $oDepartamento = new Departamento($id_departamento);\n $nom_dep = $oDepartamento->getDepartamento();\n $oPersonaDl = new personas\\PersonaDl($id_nom);\n $nom_persona = $oPersonaDl->getPrefApellidosNombre();\n $html .= \"<tr><td>$nom_dep</td><td>$nom_persona</td></tr>\";\n }\n $html .= '</table>';\n $rta['lista'] = $html;\n } else {\n $rta['lista'] = '';\n }\n return $rta;\n }", "public static function allPartesByDni()\r\n {\r\n parent::setOn(true);\r\n parent::setRoot(true);\r\n require_once __DIR__ . \"/../Plantilla/cabecera.php\";\r\n $partesProd = Gerencia\\Controlador::getAllPartesProduccion();\r\n $partesLog = Gerencia\\Controlador::getAllPartesLogistica();\r\n\r\n self::tiposFiltro()\r\n\r\n ?>\r\n\r\n <?php\r\n\r\n self::insertarTablas($partesProd,$partesLog);\r\n\r\n require_once __DIR__ . \"/../Plantilla/pie.php\";\r\n\r\n }", "public function get_types_new() { \n\n$sql = \"select T.TypeId,T.TypeName from stufftype T \n\t\tleft join stuffmaintype M on T.mainType=M.Id\n\t\twhere M.blSign=1\n\t\tand T.TypeId not in (9002,9005,9031,9033,9040,9049,9066,9109,9110,9116,9120,9137,9047);\"; \n\t\treturn $this->db->query($sql);\n\t}", "function output_data_types_as_sql()\n {\n $str_output = '';\n foreach($this->arr_field_types as $index=>$value)\n {\n $str_output .= '`'.$index.'` '.$value->field_type.\" NOT NULL,\";\n }\n return $str_output;\n }", "public function fields()\n {\n return [\n 'Produkt' => Group::fields([\n 'product' => 'name:Produkt|belongsTo:products,name',\n ]),\n 'Zľava' => Group::fields([\n 'discount_operator' => 'name:Typ zľavy|type:select|required_with:discount|hidden',\n 'discount' => 'name:Výška zľavy|type:decimal|hideFieldIfIn:discount_operator,NULL,default|required_if:discount_operator,'.implode(',', array_keys(operator_types())).'|hidden',\n ])->id('discount'),\n ];\n }", "public function getPointTypesForDropDownList()\n {\n return PointType::pluck('description', 'id');\n }", "function affichertype_fournisseur(){\r\n\t\t$sql=\"SElECT * From type_fournisseur\";\r\n\t\t$db = config::getConnexion();\r\n\t\ttry{\r\n\t\t$liste=$db->query($sql);\r\n\t\treturn $liste;\r\n\t\t}\r\n catch (Exception $e){\r\n die('Erreur: '.$e->getMessage());\r\n }\t\r\n\t}", "public function getFkPatrimonioTipoNatureza()\n {\n return $this->fkPatrimonioTipoNatureza;\n }", "private function list_type($sType=\"\",$sFields=\"*\"){\n\t\tswitch($sType){\n\t\t\tcase \"delimiter\":\n\t\t\t\t//restituisce i record delimitata da \";\" con i campi delimitati da \",\" indicati nella variabile $sFields\n\t\t\t\t//ordinata per descrizione. Se non sono specificati i campi li prende tutti.\n\t\t\t\t$sSql=\"select \" . $sFields . \" from tbl_tipocontenuto where primario=1 order by descrizione desc\";\n\t\t\t\t$risultato=mysql_query($sSql);\n\t\t\t\tif($risultato){\n\t\t\t\t\twhile($row=mysql_fetch_assoc($risultato)){\n\t\t\t\t\t\t$b=true;\n\t\t\t\t\t\tforeach($row as $value){\n\t\t\t\t\t\t\tif($b==true){\n\t\t\t\t\t\t\t\t$stringa.=$value . \",\";\n\t\t\t\t\t\t\t\t$b=false;\n\t\t\t\t\t\t\t}else{\n\t\t\t\t\t\t\t\t$stringa.=$value . \";\";\n\t\t\t\t\t\t\t\t$b=true;\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t}\t\t\t\t\t\n\t\t\t\t\t//ritorno la stringa eliminando l'ultimo punto e virgola o virgola che potrebbe dare problemi.\n\t\t\t\t\treturn substr($stringa,0,(strlen($stringa)-1));\n\t\t\t\t}else{\n\t\t\t\t\treturn false;\n\t\t\t\t}\n\t\t\t\tbreak;\n\t\t\tdefault:\n\t\t\t\t//restituisce un array\n\t\t\t\tbreak;\n\t\t}\n\t}", "public function getPossiblePagePartTypes()\n {\n $possiblePPTypes = $this->configurator->getPossiblePagePartTypes();\n $result = array();\n\n /** @var EntityManager $em */\n $em = $this->em;\n // filter page part types that can only be added x times to the page.\n // to achieve this, provide a 'pagelimit' parameter when adding the pp type in your PagePartAdminConfiguration\n if (!empty($possiblePPTypes)) {\n foreach ($possiblePPTypes as $possibleTypeData) {\n if (array_key_exists('pagelimit', $possibleTypeData)) {\n $pageLimit = $possibleTypeData['pagelimit'];\n /** @var PagePartRefRepository $entityRepository */\n $entityRepository = $em->getRepository('KunstmaanPagePartBundle:PagePartRef');\n $formPPCount = $entityRepository->countPagePartsOfType($this->page, $possibleTypeData['class'], $this->configurator->getDefaultContext());\n if ($formPPCount < $pageLimit) {\n $result[] = $possibleTypeData;\n }\n } else {\n $result[] = $possibleTypeData;\n }\n }\n }\n\n return $result;\n }", "public function getTypeDdl(){\n return $this->_typeDdl;\n }", "function listarTipoDato(CTParametro $parametro){\r\n\t\t$obj=new MODTipoDato($parametro);\r\n\t\t$res=$obj->listarTipoDato();\r\n\t\treturn $res;\r\n\t}", "function gVerfolgung_pntables()\r\n{\r\n // Initialise table array \r\n $pntables = array();\r\n $prefix = pnConfigGetVar('prefix');\r\n\r\n $table = $prefix . '_gVerfolgung_Verfolgungsliste';\r\n $pntables['gVerfolgung_Verfolgungsliste'] = $table;\r\n $columns = array (\r\n \t 'id'\t=>\t'verf_id',\r\n\t\t 'lfdnr'\t=>\t'verf_lfdnr',\r\n\t\t 'qnr'\t=>\t'verf_qnr',\r\n\t\t 'idnr'\t=>\t'verf_idnr',\r\n\t\t 'reklamTeile'\t=>\t'verf_reklamTeile',\r\n\t\t 'kunde'\t=>\t'verf_kunde',\r\n\t\t 'produkt'\t=>\t'verf_produkt',\r\n\t\t 'bestDatum'\t=>\t'verf_bestDatum',\r\n\t\t 'wareEing'\t=>\t'verf_wareEing',\r\n\t\t 'gewEnd'\t=>\t'verf_gewEnd',\r\n\t\t 'rueckl'\t=>\t'verf_rueckl',\r\n\t\t 'fehlerArt'\t=>\t'verf_fehlerArt',\r\n\t\t 'fehler'\t=>\t'verf_fehler',\r\n\t\t 'ursache'\t=>\t'verf_ursache',\r\n\t\t 'massnahme'\t=>\t'verf_massnahme',\r\n\t\t 'massnahme8D'\t=>\t'verf_massnahme8D',\r\n\t\t 'verantRep'\t=>\t'verf_verantRep',\r\n\t\t 'verantOQ'\t=>\t'verf_verantOQ',\r\n\t\t 'verantOF'\t=>\t'verf_verantOF',\r\n\t\t 'bereich'\t=>\t'verf_bereich',\r\n\t\t 'fehlerWieder'\t=>\t'verf_fehlerWieder',\r\n\t\t 'ende'\t=>\t'verf_ende',\r\n\t\t 'dauer'\t=>\t'verf_dauer',\r\n\t\t 'verantOV'\t=>\t'verf_verantOV',\r\n\t\t 'status'\t=>\t'verf_status',\r\n \t\t'version' => 'verf_version',\r\n\t );\r\n ObjectUtil::addStandardFieldsToTableDefinition ($columns, 'verf_');\r\n $pntables['gVerfolgung_Verfolgungsliste_column'] = $columns;\r\n\r\n \r\n\r\n\r\n return $pntables;\r\n}" ]
[ "0.63602084", "0.61198235", "0.58640045", "0.5769534", "0.5708491", "0.56604826", "0.5654048", "0.55790454", "0.55755943", "0.55520487", "0.5538391", "0.55044407", "0.5494925", "0.5486041", "0.5459589", "0.54438585", "0.5433793", "0.5425048", "0.54154325", "0.5401125", "0.5373238", "0.5370831", "0.5367647", "0.5347179", "0.5276638", "0.5266717", "0.5262669", "0.52602065", "0.5259299", "0.52405953" ]
0.75181997
0
Hashes the provided data
public function hash($data) { return hash($this->algorithm, $data, $this->rawOutput); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "abstract protected function getDataHash($data);", "public function hash($data) {\n if (empty($data)) {\n return $data;\n }\n\n// return hash_hmac('sha512', strtolower($data), 'o7SOh1QUF7kM70D85BzKnVaPji95SC26');\n return hash_hmac('sha512', strtolower($data), 'o7SOh1QUf7kM90D86bZKnVaPjI85Sc26');\n // return $data;\n }", "public function hashData($data)\n\t{\n\t\t$hmac = $this->computeHMAC($data);\n\t\treturn $hmac.$data;\n\t}", "private function do_hash( $data )\n\t{\n\t\treturn md5($data);\n\t}", "protected function hashData($data)\n \t{\n\t\treturn hash_hmac('sha512', $data, $this->_siteKey);\n\t}", "public static function hash($data)\n {\n return self::rawHash($data, null, Sodium\\CRYPTO_GENERICHASH_BYTES_MIN);\n }", "function hasher($data)\n {\n $key = $this->_secret;\n if(strlen($key) > 64)\n $key = pack(\"H40\", sha1($key));\n if(strlen($key) < 64)\n $key = str_pad($key, 64, chr(0));\n $ipad = (substr($key, 0, 64) ^ str_repeat(chr(0x36), 64));\n $opad = (substr($key, 0, 64) ^ str_repeat(chr(0x5C), 64));\n return sha1($opad . pack(\"H40\", sha1($ipad . $data)));\n }", "public function hashData($data)\n {\n if (!is_string($data)) {\n throw new \\InvalidArgumentException('The data for hashing must be a string or a binary string.');\n }\n\n $data = $this->addSaltString(($data === '') ? ' ' : $data);\n\n $digest = hash_hkdf(\n static::ALGORITHM_NAME,\n $data,\n $this->outputLength,\n $this->contextualString,\n $this->derivationSalt\n ); // The format here by default is `self::DIGEST_OUTPUT_RAW`\n\n if ($this->digestFormat !== self::DIGEST_OUTPUT_RAW) {\n $digest = bin2hex($digest);\n }\n\n $digest = $this->changeOutputFormat($digest);\n\n return $digest;\n }", "public function hash($data){\n return hash(\"sha512\",$data);\n }", "public function hash();", "public function hash();", "public static function hash(HashEnum $algorithm, $data, $raw = false);", "public static function veryUniqueHash($data)\n {\n return self::rawHash($data, null, Sodium\\CRYPTO_GENERICHASH_BYTES_MAX);\n }", "private function bpHash($data, $key) {\r\r\n\t\t$hmac = base64_encode(hash_hmac('sha256', $data, $key, TRUE));\r\r\n\t\treturn strtr($hmac, array('+' => '-', '/' => '_', '=' => ''));\r\r\n\t}", "private function wp_hash( $data, $scheme = 'auth' ) {\n\n\t\t$salt = $this->environment->salt;\n\t\treturn hash_hmac( 'md5', $data, $salt );\n\t}", "public static function hashData($key, array $data = null) {\n\t\tif (!is_null($data)) {\n\t\t\t$data['mac'] = hash_hmac('sha256', json_encode($data), $key);\n\t\t}\n\n\t\treturn $data;\n\t}", "private function generateChecksumHash($data = FALSE)\n {\n if (!$data) {\n $data = $this->getData();\n }\n\n return hash_hmac('sha1', $data, $this->config['secret']);\n }", "protected function hashData($data, $codedChannel, $event)\n {\n return hash_hmac(\"sha256\", $data . $codedChannel . $event, $this->appSecret);\n }", "private function hash256($data){\r\n return hash('sha256', hex2bin(hash('sha256', $data)));\r\n }", "static private function makeHash($data, $alg) {\n\t\t\t// return base64_encode($s);\n\t\t\t\n\t\t\t$ret = openssl_digest($data, $alg);\n\t\t\treturn $ret;\n\t\t}", "public abstract function hash(): string;", "public function hash_it($input){\n\t\treturn sha1(_HASH1 . $input . _HASH2);\n\t}", "public static function secureHash($data)\n {\n return self::rawHash($data);\n }", "public function shaCrypt($data)\n {\n if (is_array($data)) {\n return hash(self::HASH_ALGO, implode(\"\", $data));\n }if (is_string($data)) {\n return hash(self::HASH_ALGO, $data);\n } else {\n return \"\";\n }\n }", "public function hash()\n {\n $values = [\n 'module' => $this->moduleName,\n 'type' => $this->type,\n 'day' => $this->day,\n 'start' => $this->start,\n 'end' => $this->end,\n ];\n\n // We need to be careful that the types and whitespace do not change, otherwise\n // this could cause a different hash for the same input data.\n return md5(json_encode($values));\n }", "function hashPasswords($data) {\n\t\treturn $data;\n\t}", "public function buildHash($inputs)\n {\n\n }", "public static function hash($algo, $data, $key) {\n $context = hash_init($algo, HASH_HMAC, $key);\n hash_update($context, $data);\n return hash_final($context);\n }", "public function hash($value);", "public function hash($value);" ]
[ "0.79481053", "0.7772573", "0.7717784", "0.7706443", "0.75841427", "0.74839437", "0.72947526", "0.72711265", "0.72077256", "0.7193378", "0.7193378", "0.6990267", "0.6821713", "0.6636307", "0.65654886", "0.6555912", "0.65541935", "0.65411824", "0.6426326", "0.6420984", "0.6417983", "0.6406558", "0.64043784", "0.6398524", "0.63895196", "0.6384404", "0.6336264", "0.6306191", "0.6302577", "0.6302577" ]
0.7897651
1
Validate a port number.
public static function validatePort($port) { if (!is_numeric($port) || $port < 0 || $port > 65535) { return false; } return !in_array($port, self::$unsafePorts); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public static function isValidPort(int|string $port): bool\n {\n return (\n (is_int($port) || boolval(preg_match(\"/^[0-9]+$/\", $port))) &&\n intval($port) >= self::TCP_LOWER_PORT_RANGE &&\n intval($port) <= self::TCP_UPPER_PORT_RANGE\n );\n }", "public function testIsValidPort(): void\n {\n $testCases = [\n 8000 => true,\n \"8080\" => true,\n \"1.1\" => false,\n \"abc\" => false,\n -999999 => false,\n +999999 => false\n ];\n\n foreach ($testCases as $port => $isValid) {\n $this->assertEquals($isValid, Rfc3986::isValidPort($port), \"Failed for case '$port'.\");\n }\n }", "protected function validatePort($port)\n {\n if (is_bool($port)) {\n throw new InvalidArgumentException('The submitted port is invalid');\n }\n\n if ($port === null || $port === '') {\n return null;\n }\n\n $res = filter_var($port, FILTER_VALIDATE_INT, ['options' => [\n 'min_range' => 1,\n 'max_range' => 65535,\n ]]);\n\n if (!$res) {\n throw new InvalidArgumentException(\n sprintf('Invalid port: %d. Must be between 1 and 65535', $port)\n );\n }\n\n return $res;\n }", "public static function tcpPort($port)\n {\n if (false === filter_var($port, FILTER_VALIDATE_INT, ['options' => ['min_range' => 0, 'max_range' => 65535]])) {\n return false;\n }\n\n return true;\n }", "public function matchPort(?int $port)\n {\n $this->port = $port;\n }", "private function filterPort($port)\n {\n\n if (empty($port)) {\n\n return null;\n }\n\n if (!(is_integer($port) || (is_string($port) && is_numeric($port)))) {\n throw new InvalidArgumentException(\n \"Port needs to be valid integer or numeric string\"\n );\n }\n\n $port = intval($port);\n\n if ($port < 1 || $port > 65535)\n throw new InvalidArgumentException(\n \"Port needs to be a valid TCP/UDP port between 1 and 65535\"\n );\n\n return $port;\n }", "function validate_proxy_port($proxy_port)\n {\n clearos_profile(__METHOD__, __LINE__);\n if (!is_numeric($proxy_port) || $proxy_port < -1 || $proxy_port > 65535)\n return lang('wpad_proxy_port_is_invalid');\n }", "function validate_ftp_passive_port($port)\n {\n clearos_profile(__METHOD__, __LINE__);\n\n if (! Network_Utils::is_valid_port($port))\n return lang('flexshare_port_invalid');\n }", "private function filterPort($port): ?int\n {\n if ($port === null) {\n return null;\n }\n\n $port = (int) $port;\n // cek apakah port lebih dari 0 atau port lebih dari 65535\n if (0 > $port || 0xffff < $port) {\n throw new InvalidArgumentException(\n \\sprintf('Invalid port: %d . Port must be between 0 and 65535', $port)\n );\n }\n\n return self::isNonStandardPort($this->scheme, $port) ? $port : null;\n }", "public function setPort($port)\n {\n // Check port\n if (!preg_match(\"#^[0-9]{1,5}$#\", $port)) return false;\n\n // Add port to the starting-URL\n $url_parts = PHPCrawlerUtils::splitURL($this->starting_url);\n $url_parts[\"port\"] = $port;\n $this->starting_url = PHPCrawlerUtils::buildURLFromParts($url_parts, true);\n \n return true;\n }", "public function hasPort() {\n return $this->port != self::MISSING_PORT;\n }", "function validate_ftp_override_port($port)\n {\n clearos_profile(__METHOD__, __LINE__);\n\n if (! Network_Utils::is_valid_port($port))\n return lang('flexshare_port_invalid');\n if (($port == self::DEFAULT_PORT_FTP) || ($port == self::DEFAULT_PORT_FTPS))\n return lang('flexshare_non_custom_port_warning');\n }", "function validate_web_override_port($port)\n {\n clearos_profile(__METHOD__, __LINE__);\n\n if (! Network_Utils::is_valid_port($port))\n return lang('flexshare_port_invalid');\n\n if ($port == self::DEFAULT_PORT_WEB)\n return lang('flexshare_non_custom_port_warning');\n }", "public function port(int $port)\n {\n $this->port=$port;\n }", "private function setPort($port)\n {\n $this->_port = $port;\n \n\treturn TRUE;\n }", "function validate_passive_port_range($port_min, $port_max)\n {\n clearos_profile(__METHOD__, __LINE__);\n\n if (! Network_Utils::is_valid_port_range($port_min, $port_max))\n return lang('flexshare_port_range_invalid');\n\n if ($port_min < 1023 || $port_max < 1023)\n return lang('flexshare_passive_port_below_min');\n }", "public function setPort($port) {\n if ($port === null) {\n $this->port = null;\n return;\n }\n\n if (Number::isNegative($port)) {\n throw new MailException('Could not set the port: provided port is negative');\n }\n\n $this->port = $port;\n }", "function ipAndPortValidator($serverIPAddress, $serverPort)\r\n{\r\n\t//So, now that we have the IP address and port from our source of choice, MAKE SURE to validate them before we go ANY further!\r\n\tif($serverPort != \"\") $serverPort = numericValidator($serverPort, 1, 65535, 29070);\r\n\tif($serverIPAddress != \"\") $serverIPAddress = ipAddressValidator($serverIPAddress);\r\n\r\n\t//Check for path exploits\r\n\tif(strpos($serverPort, \"..\") !== false || strpos($serverIPAddress, \"..\") !== false)\r\n\t{\r\n\t\tdisplayError(\"Server address exploit detected! This event has been logged.\", \"\", \"\");\r\n\t\treturn array(\"\", \"\");\r\n\t}\r\n\r\n\treturn array($serverIPAddress, $serverPort);\r\n}", "public function setPort($var)\n {\n GPBUtil::checkInt32($var);\n $this->port = $var;\n\n return $this;\n }", "public function setPort($var)\n {\n GPBUtil::checkInt32($var);\n $this->port = $var;\n\n return $this;\n }", "public function setPort($var)\n {\n GPBUtil::checkUint32($var);\n $this->port = $var;\n\n return $this;\n }", "public function setPort($port)\n {\n $this->port = $port === null ? null : (int)$port;\n }", "public function testStringPort()\n {\n $this->client->configure(array(\n 'port' => 'not-integer'\n ));\n }", "public function setPort($port) {\n\t\tif (!is_int($port)) {\n\t\t\tthrow new InvalidArgumentException(\"The given port is not an integer.\");\n\t\t}\n\t\t$this->port = $port;\n\t\treturn $this;\n\t}", "protected function canTryAnotherPort()\n {\n return is_null($this->input->getOption('port')) &&\n ($this->input->getOption('tries') > $this->portOffset);\n }", "public function setPort( $port = 21 )\n {\n $this->port = (int)$port;\n }", "private static function isNonStandardPort(string $scheme, int $port): bool\n {\n return !isset(self::SCHEMES[$scheme]) || $port !== self::SCHEMES[$scheme];\n }", "function CheckPort( $sServer, $iPort, $iTimeout = 5 )\n {\n $bPass = false;\n if ( $sServer && $iPort && $iTimeout )\n {\n if ( @fsockopen(\"$sServer\", $iPort, $iErrno, $sErrstr, $iTimeout) )\n {\n $bPass = true;\n }\n }\n\n return $bPass;\n }", "public function setPortID($port=0)\n {\n if (is_numeric($port) && ($port>=0))\n {\n $this->db_row['port_id']=$port;\n return true;\n }\n else\n {\n return false;\n } \n }", "public function testGetPort()\n {\n $this->assertSame(\n $value = 9080,\n $this->getServerNodeWithMockedConfiguration($value, 'port')->getPort()\n );\n }" ]
[ "0.79471666", "0.75932413", "0.7378008", "0.6909087", "0.6838615", "0.6832735", "0.6543278", "0.6540599", "0.63256603", "0.62032145", "0.6178789", "0.6177676", "0.6152741", "0.6143452", "0.60033274", "0.59990716", "0.59870476", "0.5952057", "0.5926184", "0.5926184", "0.5881037", "0.5865286", "0.5857206", "0.585233", "0.585224", "0.5840443", "0.5822748", "0.5800519", "0.5800495", "0.57970864" ]
0.77527165
1
Add the Ghana cedis currency
function mp_edd_ghana_cedis($currency) { $currency['GHc'] = __('Ghana Cedis(GHc)','mp_edd'); return $currency; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function appendCurrency($value)\n{\n return sprintf(\"$value (%s)\", config('myapp.base_currency'));\n}", "public function getCurrency();", "public function getCurrency();", "public function getCurrency();", "public function getCurrency();", "public function getCurrency();", "function testCurrencyAddFormat() {\n\t\t$this->Number->addFormat('NOK', array('before' => 'Kr. '));\n\t\t$result = $this->Number->currency(1000, 'NOK');\n\t\t$expected = 'Kr. 1,000.00';\n\t\t$this->assertEqual($expected,$result);\n\n\t\t$this->Number->addFormat('Other', array('before' => '$$ ', 'after' => 'c!'));\n\t\t$result = $this->Number->currency(0.22, 'Other');\n\t\t$expected = '22c!';\n\t\t$this->assertEqual($expected,$result);\n\n\t\t$result = $this->Number->currency(-10, 'Other');\n\t\t$expected = '($$ 10.00)';\n\t\t$this->assertEqual($expected,$result);\n\n\t\t$this->Number->addFormat('Other2', array('before' => '$ '));\n\t\t$result = $this->Number->currency(0.22, 'Other2');\n\t\t$expected = '$ 0.22';\n\t\t$this->assertEqual($expected,$result);\n\t}", "public function canAddCurrency();", "public function getCurrencies();", "public function getPriceCurrency();", "public function getCurrency()\n {\n /*\n * Set your static or dynamic currency\n */\n\n return 'USD';\n }", "function wp_imovel_add_dollar_sign( $content ) {\n\t\tglobal $wp_imovel;\t\t\n\t\tif ( ! is_numeric( $content ) ) { \n\t\t\treturn $content;\n\t\t}\t\t\n\t\t$currency_symbol = ( ! empty( $wp_imovel['configuration']['currency_symbol']) ? $wp_imovel['configuration']['currency_symbol'] : 'R$' );\n\t\treturn $currency_symbol . @number_format($content, 2);\n\n\t}", "public function getCurrency(): Currency;", "function GetActiveCurrency(){\n\t\n\t}", "public function add()\n {\n if ((float)$this->conversion_rate <= 0)\n return false;\n\n if(JeproshopCurrencyModelCurrency::exists($this->iso_code, $this->iso_code_num)){\n return false;\n }else{\n return parent::add($autodate, $nullValues);\n }\n }", "public function currency()\n {\n $getData = Rajaongkir::setEndpoint('currency')\n ->setBase(env(\"RAJAONGKIR_TYPE\"))\n ->setQuery([])\n ->get();\n\n return response()->json($getData[\"rajaongkir\"]);\n }", "public function installCurrency()\n {\n $currency = new Currency();\n $currency_rand_id = $currency->getIdByIsoCode('ZAR');\n\n if (is_null($currency_rand_id)) {\n $currency->name = \"South African Rand\";\n $currency->iso_code = \"ZAR\";\n $currency->sign = \"R\";\n $currency->format = 1;\n $currency->blank = 1;\n $currency->decimals = 1;\n $currency->deleted = 0;\n // set it to an arbitrary value, also you can update currency rates to set correct value\n $currency->conversion_rate = 0.45;\n $currency->add();\n $currency->refreshCurrencies();\n }\n\n return true;\n }", "function currency_code_gopay()\n{\n return \"CZK\";\n}", "public function getCurrencyInfo();", "private function ProductCurrency() {\n\t\t$csvilog = JRequest::getVar('csvilog');\n\t\t$csvilog->AddMessage('debug', JText::_('DEBUG_PRODUCT_CURRENCY'));\n\t\tif (!isset($this->product_currency)) {\n\t\t\t$db = JFactory::getDBO();\n\t\t\t$q = \"SELECT vendor_currency FROM #__vm_vendor WHERE vendor_id='\".$this->vendor_id.\"' \";\n\t\t\t$db->setQuery($q);\n\t\t\t$this->product_currency = $db->loadResult();\n\t\t\t$csvilog->AddMessage('debug', JText::_('DEBUG_PRODUCT_CURRENCY'), true);\n\t\t}\n\t}", "public function getCurrency(){\n return $this->currency;\n }", "public function get_currency(){\n\t\t$options = Domainmap_Plugin::instance()->get_options();\n\t\treturn isset( $options[self::RESELLER_ID]['currency'] ) ? $options[self::RESELLER_ID]['currency'] : \"USD\";\n\t}", "public function testCurrencyCode(): void\n {\n $cur = StringHelper::getCurrencyCode();\n StringHelper::setCurrencyCode('€');\n $fmt1 = '#,##0.000\\ [$]';\n $rslt = NumberFormat::toFormattedString(12345.679, $fmt1);\n self::assertEquals($rslt, '12,345.679 €');\n $fmt2 = '$ #,##0.000';\n $rslt = NumberFormat::toFormattedString(12345.679, $fmt2);\n self::assertEquals($rslt, '$ 12,345.679');\n StringHelper::setCurrencyCode($cur);\n }", "function country2currency($cc) {\n $map = '{\"BD\": \"BDT\", \"BE\": \"EUR\", \"BF\": \"XOF\", \"BG\": \"BGN\", \"BA\": \"BAM\", \"BB\": \"BBD\", \"WF\": \"XPF\", \"BL\": \"EUR\", \"BM\": \"BMD\", \"BN\": \"BND\", \"BO\": \"BOB\", \"BH\": \"BHD\", \"BI\": \"BIF\", \"BJ\": \"XOF\", \"BT\": \"BTN\", \"JM\": \"JMD\", \"BV\": \"NOK\", \"BW\": \"BWP\", \"WS\": \"WST\", \"BQ\": \"USD\", \"BR\": \"BRL\", \"BS\": \"BSD\", \"JE\": \"GBP\", \"BY\": \"BYR\", \"BZ\": \"BZD\", \"RU\": \"RUB\", \"RW\": \"RWF\", \"RS\": \"RSD\", \"TL\": \"USD\", \"RE\": \"EUR\", \"TM\": \"TMT\", \"TJ\": \"TJS\", \"RO\": \"RON\", \"TK\": \"NZD\", \"GW\": \"XOF\", \"GU\": \"USD\", \"GT\": \"GTQ\", \"GS\": \"GBP\", \"GR\": \"EUR\", \"GQ\": \"XAF\", \"GP\": \"EUR\", \"JP\": \"JPY\", \"GY\": \"GYD\", \"GG\": \"GBP\", \"GF\": \"EUR\", \"GE\": \"GEL\", \"GD\": \"XCD\", \"GB\": \"GBP\", \"GA\": \"XAF\", \"SV\": \"USD\", \"GN\": \"GNF\", \"GM\": \"GMD\", \"GL\": \"DKK\", \"GI\": \"GIP\", \"GH\": \"GHS\", \"OM\": \"OMR\", \"TN\": \"TND\", \"JO\": \"JOD\", \"HR\": \"HRK\", \"HT\": \"HTG\", \"HU\": \"HUF\", \"HK\": \"HKD\", \"HN\": \"HNL\", \"HM\": \"AUD\", \"VE\": \"VEF\", \"PR\": \"USD\", \"PS\": \"ILS\", \"PW\": \"USD\", \"PT\": \"EUR\", \"SJ\": \"NOK\", \"PY\": \"PYG\", \"IQ\": \"IQD\", \"PA\": \"PAB\", \"PF\": \"XPF\", \"PG\": \"PGK\", \"PE\": \"PEN\", \"PK\": \"PKR\", \"PH\": \"PHP\", \"PN\": \"NZD\", \"PL\": \"PLN\", \"PM\": \"EUR\", \"ZM\": \"ZMK\", \"EH\": \"MAD\", \"EE\": \"EUR\", \"EG\": \"EGP\", \"ZA\": \"ZAR\", \"EC\": \"USD\", \"IT\": \"EUR\", \"VN\": \"VND\", \"SB\": \"SBD\", \"ET\": \"ETB\", \"SO\": \"SOS\", \"ZW\": \"ZWL\", \"SA\": \"SAR\", \"ES\": \"EUR\", \"ER\": \"ERN\", \"ME\": \"EUR\", \"MD\": \"MDL\", \"MG\": \"MGA\", \"MF\": \"EUR\", \"MA\": \"MAD\", \"MC\": \"EUR\", \"UZ\": \"UZS\", \"MM\": \"MMK\", \"ML\": \"XOF\", \"MO\": \"MOP\", \"MN\": \"MNT\", \"MH\": \"USD\", \"MK\": \"MKD\", \"MU\": \"MUR\", \"MT\": \"EUR\", \"MW\": \"MWK\", \"MV\": \"MVR\", \"MQ\": \"EUR\", \"MP\": \"USD\", \"MS\": \"XCD\", \"MR\": \"MRO\", \"IM\": \"GBP\", \"UG\": \"UGX\", \"TZ\": \"TZS\", \"MY\": \"MYR\", \"MX\": \"MXN\", \"IL\": \"ILS\", \"FR\": \"EUR\", \"IO\": \"USD\", \"SH\": \"SHP\", \"FI\": \"EUR\", \"FJ\": \"FJD\", \"FK\": \"FKP\", \"FM\": \"USD\", \"FO\": \"DKK\", \"NI\": \"NIO\", \"NL\": \"EUR\", \"NO\": \"NOK\", \"NA\": \"NAD\", \"VU\": \"VUV\", \"NC\": \"XPF\", \"NE\": \"XOF\", \"NF\": \"AUD\", \"NG\": \"NGN\", \"NZ\": \"NZD\", \"NP\": \"NPR\", \"NR\": \"AUD\", \"NU\": \"NZD\", \"CK\": \"NZD\", \"XK\": \"EUR\", \"CI\": \"XOF\", \"CH\": \"CHF\", \"CO\": \"COP\", \"CN\": \"CNY\", \"CM\": \"XAF\", \"CL\": \"CLP\", \"CC\": \"AUD\", \"CA\": \"CAD\", \"CG\": \"XAF\", \"CF\": \"XAF\", \"CD\": \"CDF\", \"CZ\": \"CZK\", \"CY\": \"EUR\", \"CX\": \"AUD\", \"CR\": \"CRC\", \"CW\": \"ANG\", \"CV\": \"CVE\", \"CU\": \"CUP\", \"SZ\": \"SZL\", \"SY\": \"SYP\", \"SX\": \"ANG\", \"KG\": \"KGS\", \"KE\": \"KES\", \"SS\": \"SSP\", \"SR\": \"SRD\", \"KI\": \"AUD\", \"KH\": \"KHR\", \"KN\": \"XCD\", \"KM\": \"KMF\", \"ST\": \"STD\", \"SK\": \"EUR\", \"KR\": \"KRW\", \"SI\": \"EUR\", \"KP\": \"KPW\", \"KW\": \"KWD\", \"SN\": \"XOF\", \"SM\": \"EUR\", \"SL\": \"SLL\", \"SC\": \"SCR\", \"KZ\": \"KZT\", \"KY\": \"KYD\", \"SG\": \"SGD\", \"SE\": \"SEK\", \"SD\": \"SDG\", \"DO\": \"DOP\", \"DM\": \"XCD\", \"DJ\": \"DJF\", \"DK\": \"DKK\", \"VG\": \"USD\", \"DE\": \"EUR\", \"YE\": \"YER\", \"DZ\": \"DZD\", \"US\": \"USD\", \"UY\": \"UYU\", \"YT\": \"EUR\", \"UM\": \"USD\", \"LB\": \"LBP\", \"LC\": \"XCD\", \"LA\": \"LAK\", \"TV\": \"AUD\", \"TW\": \"TWD\", \"TT\": \"TTD\", \"TR\": \"TRY\", \"LK\": \"LKR\", \"LI\": \"CHF\", \"LV\": \"EUR\", \"TO\": \"TOP\", \"LT\": \"LTL\", \"LU\": \"EUR\", \"LR\": \"LRD\", \"LS\": \"LSL\", \"TH\": \"THB\", \"TF\": \"EUR\", \"TG\": \"XOF\", \"TD\": \"XAF\", \"TC\": \"USD\", \"LY\": \"LYD\", \"VA\": \"EUR\", \"VC\": \"XCD\", \"AE\": \"AED\", \"AD\": \"EUR\", \"AG\": \"XCD\", \"AF\": \"AFN\", \"AI\": \"XCD\", \"VI\": \"USD\", \"IS\": \"ISK\", \"IR\": \"IRR\", \"AM\": \"AMD\", \"AL\": \"ALL\", \"AO\": \"AOA\", \"AQ\": \"\", \"AS\": \"USD\", \"AR\": \"ARS\", \"AU\": \"AUD\", \"AT\": \"EUR\", \"AW\": \"AWG\", \"IN\": \"INR\", \"AX\": \"EUR\", \"AZ\": \"AZN\", \"IE\": \"EUR\", \"ID\": \"IDR\", \"UA\": \"UAH\", \"QA\": \"QAR\", \"MZ\": \"MZN\"}';\n $mapAr = json_decode($map, true);\n return $mapAr[$cc];\n \n}", "function currency_usd($price = 0, $type = 'html') { \r\n\t\tif($price >= 0) {\r\n $code = \"$\";\r\n \r\n $currency = 20000;\r\n $price = round($price/$currency, 2);\r\n\t\t\t\t$price = $code .\" \" .$price; \r\n\t\t\t\treturn $price;\r\n \r\n\t\t\t\r\n\t\t\t\r\n\t\t\t\r\n\t\t\t\r\n\t\t}\r\n\t}", "public function addCurrency(){\n\n\t\t$this->load->model('admin/Currency_model', 'currency');\n\n\t\t$res = $this->currency->createCurrency();\n\t\tif( strcasecmp( $res, \"true\" ) == 0 ){\n //Send mail code\n $this->session->set_flashdata('msg', 'Currency added successfully.');\n redirect(base_url().'admin/currency');\n }else{\n if( strcasecmp( $res, \"false\" ) == 0 ){\n $this->session->set_flashdata('msg', 'Oops! some thing went wrong please try again.');\n log_message('debug', 'Unable to add currency. Due to db insertion fail');\n }else if( strcasecmp( $res, \"duplicate\" ) == 0 ){\n $this->session->set_flashdata('msg', 'Oops! same currency added already.');\n log_message('debug', 'Unable to add currency. Due to duplicate case to same user');\n }\n redirect(base_url().'admin/currency');\n }\n\n /*$this->load->view('admin/include/header', $header );\n\t\t$this->load->view('admin/add_currency');\n\t\t$this->parser->parse('admin/include/footer', $footer );*/\n\t}", "function conversor_3($to_currency){\n\n// Plugins settings with the access key for every converter\ninclude ('settings.php');\n\n// Initialize CURL:\n$ch = curl_init('http://apilayer.net/api/live?access_key='. $plugin_settings['currencylayer.com_access_key'] .'&currencies='.urlencode($to_currency).'&format=1');\ncurl_setopt($ch, CURLOPT_RETURNTRANSFER, true);\n\n// Store the data:\n$json = curl_exec($ch);\n$err = curl_error($ch);\ncurl_close($ch);\n\n// Si el CURL dá error\nif ($err) {\n\n\t$converted = array (\n\t\t\"service\" => \"currencylayer.com\", // Service for the currency converter\n\t\t\"status\" => \"ERROR: en la llamada a la URL\" . \"-\" . $err, // Status for this service (\"OK\" is working or \"ERROR: BLABLABLA\" if is not)\n\t\t\"price\" => 0.00 // Valor del Cambio\n\t);\n\n// SI el CURL trae info\n} else {\n\n\t// Decode JSON response:\n\t$exchangeRates = json_decode($json, true);\n\n\t// Si la llamada es exitosa arma el array\n\tif ($exchangeRates[\"success\"] == 1) {\n\n\t\t$val = floatval($exchangeRates['quotes']['USD'.urlencode($to_currency).'']);\n\n\t \t$converted = array (\n\t\t\t\"service\" => \"currencylayer.com\", // Service for the currency converter\n\t\t\t\"status\" => \"OK\", // Status for this service (\"OK\" is working or \"ERROR: BLABLABLA\" if is not)\n\t\t\t\"price\" => number_format($val, 2, '.', '') // Valor del Cambio\n\t \t);\t\n\t// Si el JSON viene con un error tambíen va en el array\n\t} else {\n\n\t \t$converted = array (\n\t\t\t\"service\" => \"currencylayer.com\", // Service for the currency converter\n\t\t\t\"status\" => \"ERROR: en la respuesta del JSON\" . \"-\" . $exchangeRates[\"error\"][\"info\"], // Status for this service (\"OK\" is working or \"ERROR: BLABLABLA\" if is not)\n\t\t\t\"price\" => 0.00 // Valor del Cambio\n\t \t);\t\n\t}\n}\n\nreturn $converted;\n\n}", "public static function setCurrency(){\n if(!Sys::get('config')->db_auto_connect)\n return false;\n\n $db = Db::getInstance();\n\n if(!empty($_REQUEST['currency'])){\n $moneda = $db->fetch(\"SELECT * FROM currency WHERE currency_code = '\".$db->escape($_REQUEST['currency']).\"' AND active = 1\");\n if($moneda->num_rows <= 0)\n return;\n if(ThisUser::isLogged()){\n $User = Usuario::find(ThisUser::get(\"id_user\"));\n $User->currency = $_REQUEST['currency'];\n $User->save();\n }\n $_SESSION['currency'] = $_REQUEST['currency']; \n }else{\n if(!empty($_SESSION['currency']))\n return;\n if(ThisUser::isLogged() && ThisUser::get(\"currency\") != \"\"){\n if(ThisUser::get(\"currency\") != \"\")\n $_SESSION['currency'] = ThisUser::get(\"currency\");\n }else{\n $geo = $db->fetch(\"SELECT m.* FROM geolocation INNER JOIN currency m USING(iso_3166_2) WHERE ('\".$db->escape(ip2long($_SERVER['REMOTE_ADDR'])).\"' BETWEEN ip_start AND ip_end) AND m.active = 1\");\n if($geo->num_rows > 0){\n $_SESSION['currency'] = $geo->row['currency_code'];\n }\n }\n }\n }", "public function getCurrency(){\n return $this->_currency;\n }", "function get_admin_base_currency()\r\n\t{\r\n\t\treturn $this->cache[$this->set_admin_base_currency()];\r\n\t}" ]
[ "0.655353", "0.63166755", "0.63166755", "0.63166755", "0.63166755", "0.63166755", "0.6196841", "0.61639977", "0.6151792", "0.61375284", "0.6116637", "0.6080834", "0.6074706", "0.6058531", "0.6034178", "0.5941475", "0.5936278", "0.59304273", "0.5884061", "0.586702", "0.58010143", "0.577745", "0.5760454", "0.57598", "0.57353437", "0.5732246", "0.57053113", "0.57019776", "0.5696142", "0.5692805" ]
0.6669143
0
add mpower payments logo
function mp_mpower_payment_logo($icons) { $p_url = plugins_url( '')."/images/mpower.png"; $icons[$p_url] = __('mPower Payments','mp_edd'); return $icons; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function canino_the_custom_logo() {\n\tthe_custom_logo();\n}", "function vodi_header_v4_logo() {\n ?><div class=\"site-header__logo\"><a href=\"<?php echo esc_url( home_url( '/' ) ); ?>\"><?php vodi_get_template( 'global/logo-3-svg.php' ); ?></a></div><?php\n }", "private function logo() {\n\t\t$this->line(\" __ _ _ \");\n\t\t$this->line(\"/ _(_) | | \");\n\t\t$this->line(\"| |_ _ _______| |__ _ _ ________\");\n\t\t$this->line(\"| _| |_ /_ / '_ \\| | | |_ /_ /\");\n\t\t$this->line(\"| | | |/ / / /| |_) | |_| |/ / / / \");\n\t\t$this->line(\"|_| |_/___/___|_.__/ \\__,_/___/___|\");\n\n\t}", "public function get_image_url() {\n\t\treturn apply_filters( 'wpsc_braintree-paypal_mark_html', 'https://www.paypalobjects.com/webstatic/en_US/i/buttons/PP_logo_h_200x51.png' );\n\t}", "function vodi_header_v3_logo() {\n ?><div class=\"site-header__logo\"><a href=\"<?php echo esc_url( home_url( '/' ) ); ?>\"><?php vodi_get_template( 'global/logo-2-svg.php' ); ?></a></div><?php\n }", "function gp_extreme_custom_logo(){\n\t\t$defaults = array(\n\t\t\t'height' => '100',\n\t\t\t'width' => '300',\n\t\t\t'flex-height' => true,\n\t\t\t'flex-width' => true,\n\t\t\t'header-text' => array('site-title', 'site-description')\n\t\t); \n\t\tadd_theme_support('custom-logo', $defaults);\n\t}", "function my_custom_login_logo() {\n\techo '<style type=\"text/css\"> \n\t\t.login h1 a { background-image:url('.get_stylesheet_directory_uri().'/images/qod-logo.svg) !important; background-position: center;background-color: black;\n\t\theight: 80px !important; width: 100% !important; margin: 0 auto !important; background-size: 90% !important} \n\t</style>';\n}", "function add_custom_logo() {\n\n\t// Get the image ID.\n\t$custom_logo_id = get_theme_mod( 'custom_logo' );\n\n\t// Get the URL of the image.\n\t$image_path = wp_get_attachment_image_src( $custom_logo_id )[0];\n\n\t// Create the CSS class to assign to the image.\n\t$custom_class = 'custom-logo';\n\n\t// Add a CSS class if the file is an SVG.\n\tif ( strpos( $image_path, '.svg' ) !== false ) {\n\t\t$custom_class .= ' svg';\n\t}\n\n\t// Generate the HTML to output.\n\t$html = sprintf(\n\t\t'<a href=\"%1$s\" class=\"custom-logo-link\" rel=\"home\" itemprop=\"url\">%2$s</a>',\n\t\tesc_url( home_url( '/' ) ),\n\t\twp_get_attachment_image(\n\t\t\t$custom_logo_id,\n\t\t\t'full',\n\t\t\tfalse,\n\t\t\tarray(\n\t\t\t\t'class' => $custom_class,\n\t\t\t\t'itemprop' => 'logo',\n\t\t\t)\n\t\t)\n\t);\n\n\treturn $html;\n}", "function kultalusikka_theme_meta_box_logo() { ?>\n\n\t<table class=\"form-table\">\n\n\t\t<!-- Logo -->\n\t\t<tr>\n\t\t\t<th>\n\t\t\t\t<label for=\"<?php echo hybrid_settings_field_id( 'kultalusikka_custom_logo' ); ?>\"><?php _e( 'Custom logo:', 'kultalusikka' ); ?></label>\n\t\t\t</th>\n\t\t\t<td>\n\t\t\t\t<p><?php printf( __( 'Want to replace or remove default logo? <a href=\"%s\">Go to Appearance &gt;&gt; Header</a>. ', 'kultalusikka' ), admin_url( 'themes.php?page=custom-header' ) ); ?></p>\n\t\t\t</td>\n\t\t</tr>\n\n\t\t<!-- End custom form elements. -->\n\t</table><!-- .form-table --><?php\n\t\n}", "function vodi_header_landing_v2_logo() {\n ?><div class=\"site-header__logo\" style=\"display: flex; justify-content: center;\"><?php\n if ( has_custom_logo() ) {\n the_custom_logo();\n } elseif ( apply_filters( 'vodi_use_svg_logo', false ) ) {\n ?><a href=\"<?php echo esc_url( home_url( '/' ) ); ?>\"><?php vodi_get_template( 'global/landing-logo-svg.php' ); ?></a><?php\n } else {\n ?><a href=\"<?php echo esc_url( home_url( '/' ) ); ?>\" rel=\"home\" class=\"navbar-brand\"><h1 class=\"site-title\"><?php bloginfo( 'name' ); ?></h1></a><?php\n }\n ?></div><?php\n }", "function course_maker_custom_logo() {\n\t$site_title_display_setting = get_theme_mod( 'site_title_display' );\n\tif ( 'display_logo' === $site_title_display_setting ) {\n\t\tthe_custom_logo();\n\t}\n}", "function vodi_header_logo() {\n ?><div class=\"site-header__logo\"><?php\n if ( has_custom_logo() ) {\n the_custom_logo();\n } elseif ( apply_filters( 'vodi_use_svg_logo', false ) ) {\n ?><a href=\"<?php echo esc_url( home_url( '/' ) ); ?>\" rel=\"home\" class=\"navbar-brand\"><?php vodi_get_template( 'global/logo-svg.php' ); ?></a><?php\n } else {\n ?><a href=\"<?php echo esc_url( home_url( '/' ) ); ?>\" rel=\"home\" class=\"navbar-brand\"><h1 class=\"site-title\"><?php bloginfo( 'name' ); ?></h1></a><?php\n }\n ?></div><?php\n }", "function agencystrap_custom_logo() {\n add_theme_support('custom-logo');\n}", "function custom_login_logo() {\n\t\techo \"<style>\n\t\tbody.login #login h1 a {\n\t\t\tbackground: url('\".get_bloginfo('template_url').\"/images/custom-logo.png') no-repeat scroll center top transparent;\n\t\t\twidth: 274px;\n\t\t\theight: 63px;\n\t\t}\n\t\t</style>\";\n\t}", "function adminLogo($wp_admin_bar) {\n\t\n\t\t$wp_admin_bar->add_node(array(\n\t\t\t'id' \t=> 'branding-logo', \n\t\t\t'title' => '<img src=\"'.$this->admin_logo.'\" alt=\"'.$this->name.'\" />', \n\t\t\t'href' \t=> $this->url\n\t\t));\n\t\n\t}", "function custom_admin_logo() \n {\n echo '<style type=\"text/css\">#header-logo { background-image: url('.get_bloginfo('template_directory').'/images/icon.ico) !important;}</style>';\n }", "function custom_login_logo() {\n\techo '<style type=\"text/css\">\n\th1 a { background-image: url('.get_bloginfo('template_directory').'/img/forgot-password.png) !important;height: 200px !important;width: 200px !important;background-size: 200px !important; }\n .wp-core-ui .button-primary{background:#0C9AF7 !important;}\n .login .message{ border-left: 4px solid #0C9AF7 !important; }\n input[type=checkbox]:checked:before {color:#0C9AF7 !important};\n\t</style>';\n}", "function codeandbeauty_mini_logo() {\n\t\t$url = get_theme_mod( 'mini_logo' );\n\n\t\tif ( ! empty( $url ) ) {\n\t\t\t$img = sprintf( '<img src=\"%1$s\" class=\"mini-logo\" alt=\"%2$s\" />', esc_url_raw( $url ), __( 'Mini logo', 'TEXTDOMAIN' ) );\n\n\t\t\tprintf( '<a href=\"%1$s\" rel=\"bookmark\" class=\"mini-logo-link\">%2$s</a>', esc_url( home_url( '/' ) ), $img );\n\t\t}\n\t}", "public function getServiceScoreLogo()\n {\n $helper = Mage::helper('ddg');\n $url = 'http://www.feefo.com/feefo/feefologo.jsp?logon=';\n $logon = $helper->getFeefoLogon();\n $template = '';\n\n if ($helper->getFeefoLogoTemplate()) {\n $template = '&template=' . $helper->getFeefoLogoTemplate();\n }\n\n $fullUrl = $url . $logon . $template;\n $vendorUrl = 'http://www.feefo.com/feefo/viewvendor.jsp?logon='\n . $logon;\n\n return\n \"<a href=$vendorUrl target='_blank'>\n <img alt='Feefo logo' border='0' src=$fullUrl title='See what our customers say about us'>\n </a>\";\n }", "function add_theme_support__custom_logo(){\n add_theme_support( 'custom-logo', array(\n 'height' => 100,\n 'width' => 100,\n 'flex-height' => true,\n 'flex-width' => true,\n 'header-text' => array( 'site-title', 'site-description' ),\n ));\n }", "function sockman_add_logo_to_dashboard() {\n\t$icon = get_stylesheet_directory_uri() . '/assets/favicons/apple-touch-icon-114x114.png';\n\n\techo '<script>\n\t\tjQuery(function($) {\n\t\t\t$(\".index-php #wpbody-content .wrap h1:eq(0)\")\n\t\t\t\t.before(\"<span class=\\\"c-dashboard-logo\\\"><img src=\\\"' . $icon . '\\\" alt=\\\"' . get_bloginfo( 'name' ) . '\\\" /></span>\");\n\n\n\t\t\t$(\".index-php #wpbody-content .wrap h1:eq(0)\").after(\"<h2 class=\\\"c-dashboard-sitename\\\">' . get_bloginfo( 'name' ) . '</h2>\");\n\t\t});\n\t</script>';\n\n\techo '<style>.c-dashboard-logo {\n\t\t\tfloat: left;\n\t\t\twidth: 57px;\n\t\t\theight: 57px;\n\t\t\tmargin-top: 8px;\n\t\t\tmargin-right: 12px;\n\n\t\t\t> img {\n\t\t\t\twidth: 100%;\n\t\t\t\theight: 100%;\n\t\t\t}\n\t\t}\n\n\t\t.c-dashboard-sitename {\n\t\t\tmargin: 0 0 12px;\n\t\t}</style>';\n}", "function custom_admin_logo() {\n\techo '<style type=\"text/css\">#header-logo { background-image: url('.get_bloginfo('. CHILD_URL .').'/images/logo_admin_dashboard.png) !important; }</style>';\n}", "function custom_login_logo()\n{\n echo '<style type=\"text/css\">body { background: #000000; } .login form { padding-bottom: 30px; } #login h1 a { background: none; content: url(' . AUDI_IMAGES . '/logo.svg); width: auto; height: 60px; max-width: 100%; } .login #backtoblog, .login #nav { padding: 0; } .login #backtoblog a, .login #nav a { color: #fff !important; } .login form, .login #login_error, .login #login_error, .login .message, .login .success { border-radius: 10px; }</style>';\n}", "function ajs_spb_the_custom_logo() {\n\tif ( function_exists( 'the_custom_logo' ) ) {\n\t\tthe_custom_logo();\n\t}\n}", "function vodi_header_landing_logo() {\n ?><div class=\"site-header__logo\"><?php\n if ( has_custom_logo() ) {\n the_custom_logo();\n } elseif ( apply_filters( 'vodi_use_svg_logo', false ) ) {\n ?><a href=\"<?php echo esc_url( home_url( '/' ) ); ?>\"><?php vodi_get_template( 'global/logo-svg.php' ); ?></a><?php\n } else {\n ?><a href=\"<?php echo esc_url( home_url( '/' ) ); ?>\" rel=\"home\" class=\"navbar-brand\"><h1 class=\"site-title\"><?php bloginfo( 'name' ); ?></h1></a><?php\n }\n ?></div><?php\n }", "function odin_the_custom_logo() {\n\t\tif ( function_exists( 'the_custom_logo' ) ) {\n\t\t\tthe_custom_logo();\n\t\t}\n\t}", "function footer_freemelogo_theme_customizer( $wp_customize ) {\n $wp_customize->add_section( 'footer_freeme_logo_section' , array(\n 'title' => __( 'footer_Logo ', 'footer_freemeslug' ),\n 'priority' => 30,\n 'description' => 'Upload a logo to replace the default site name and description in the header',\n) );\n$wp_customize->add_setting( 'footer_freeme_logo' );\n$wp_customize->add_control( new WP_Customize_Image_Control( $wp_customize, 'footer_freeme_logo', array(\n 'label' => __( 'Logo', 'footer_freemeslug' ),\n 'section' => 'footer_freeme_logo_section',\n 'settings' => 'footer_freeme_logo', \n) ) );\n}", "function ltt_logo( $wp_customize ) {\n $wp_customize->add_section( 'ltt_logo_section', array(\n 'title' => __( 'Logo', 'ltt' )\n , 'priority' => 30\n , 'description' => 'Sube tu logo'\n ,\n ) );\n $wp_customize->add_setting( 'ltt_logo' );\n $wp_customize->add_control( new WP_Customize_Image_Control( $wp_customize, 'ltt_logo', array(\n 'label' => __( 'Logo', 'ltt' )\n , 'section' => 'ltt_logo_section'\n , 'settings' => 'ltt_logo'\n ,\n ) ) );\n}", "function my_custom_login_logo() {\n echo '<style type=\"text/css\">\n h1 a {background-image:url(/theme/images/apple-touch-icon.png) !important; margin:0 auto;}\n </style>';\n}", "function krown_custom_login_logo() {\r\n echo '<style type=\"text/css\">\r\n h1 a { background-image: url(' . ot_get_option( 'krown_custom_login_logo_uri', get_template_directory_uri() . '/images/krown-login-logo.png' ) . ') !important; background-size: 273px 63px !important; width: 273px !important; height: 63px !important; }\r\n </style>';\r\n}" ]
[ "0.698536", "0.68347096", "0.6830249", "0.6762369", "0.6724361", "0.6685182", "0.66233677", "0.6619036", "0.6613909", "0.6510861", "0.6510234", "0.64992553", "0.64941686", "0.6493655", "0.64858794", "0.6464011", "0.6444963", "0.6441446", "0.64135706", "0.6404219", "0.63751316", "0.63680315", "0.63644373", "0.6362736", "0.635021", "0.63465935", "0.6338287", "0.63338256", "0.6331101", "0.63242346" ]
0.7954688
0
Function that accepts a user token and returns all active items being tracked
function getTrackedItems($userToken) { global $items; $userItems = $items->find(array('userToken' => $userToken)); // echo "\nUser [".$userToken."]:\n"; echo json_encode(iterator_to_array($userItems)); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function getActiveTokenList();", "public function getActiveItems()\n {\n return $this->model->active()->orderBy('date', 'desc')->paginate();\n }", "public function getOnlineUsersTokens() {\r\n $stmt = $this->pdo->prepare(\"SELECT token FROM users WHERE gid IN (SELECT gid FROM online_users);\");\r\n $stmt->execute();\r\n $res = $stmt->fetchAll(PDO::FETCH_ASSOC);\r\n\r\n $arr = array();\r\n foreach ($res as $v) {\r\n $arr[] = $v[\"token\"];\r\n }\r\n return $arr;\r\n }", "public function getUsersToNotifyOfTokenGiven() {\n return array(\n $this->getBloggerPHID(),\n );\n }", "public function getAllByCurrentUser()\n {\n return $this->query()\n ->where('user_id', $this->currentUser()->id)\n ->orderByDesc('created_at')\n ->get();\n }", "public function getTrackingUserList()\n {\n return $this->trackingUserList;\n }", "public function activeUsers() {\n\n $userids = Capsule::table('activeusers')->select('userid');\n\n return $userids;\n }", "function microbot_get_all_users($token) {\n $slack = new Slack($token);\n $resp = _slack_call_api_cached($slack, 'users.list', [], MICROBOT_TTL_1_HOUR);\n if (!$resp['ok']) return false;\n\n // Build mapping of user id → username\n $users_by_id = [];\n foreach ($resp['members'] as $member) {\n $users_by_id[$member['id']] = $member['profile']['display_name_normalized'];\n }\n\n // Build list of users with microbot IMs\n $resp = _slack_call_api_cached($slack, 'im.list', [], MICROBOT_TTL_1_HOUR);\n if (!$resp['ok']) return false;\n\n $users = [];\n foreach ($resp['ims'] as $im) {\n if ($im['user'] === 'USLACKBOT') continue;\n $users[] = $users_by_id[$im['user']];\n }\n\n return $users;\n}", "public function apiGetAllActiveItems() {\n $sql = \"SELECT * FROM items WHERE state > '0' \";\n $query = $this->db->prepare($sql);\n $query->execute();\n\n // fetchAll() is the PDO method that gets all result rows, here in object-style because we defined this in\n // libs/controller.php! If you prefer to get an associative array as the result, then do\n // $query->fetchAll(PDO::FETCH_ASSOC); or change libs/controller.php's PDO options to\n // $options = array(PDO::ATTR_DEFAULT_FETCH_MODE => PDO::FETCH_ASSOC ...\n return $query->fetchAll();\n }", "static function getUserItems() {\n\t\t$id = Users::getUser();\n\t\t\n\t\t$id = parent::escape($id, \"sql\");\n\t\t\n\t\t$data = parent::query(\"SELECT *\n\t\t\t\t\t\t\t\tFROM `user_objects`\n\t\t\t\t\t\t\t\tWHERE `user_id` = '$id'\n\t\t\t\t\t\t\t\tAND `approve` = '1'\n\t\t\t\t\t\t\t\");\n\t\t\t\t\t\t\t\n\t\treturn $data;\n\t}", "public function findAllActive()\n {\n $entityManager = $this->getEntityManager();\n $query = $entityManager->createQuery(\n 'SELECT user\n FROM App\\Entity\\User user\n WHERE user.status = 1'\n );\n return $query->getResult();\n }", "public function GetAllActiveItems() {\n $sql = \"SELECT * FROM items WHERE state > '0' \".F::getUserConstraints();\n $query = $this->db->prepare($sql);\n $query->execute();\n\n // fetchAll() is the PDO method that gets all result rows, here in object-style because we defined this in\n // libs/controller.php! If you prefer to get an associative array as the result, then do\n // $query->fetchAll(PDO::FETCH_ASSOC); or change libs/controller.php's PDO options to\n // $options = array(PDO::ATTR_DEFAULT_FETCH_MODE => PDO::FETCH_ASSOC ...\n return $query->fetchAll();\n }", "public function getUsersToNotifyOfTokenGiven() {\n return array(\n $this->getOwnerPHID(),\n );\n }", "public function getCurrentlyScheduledItems() : array\n {\n $scheduleEntities = $this->getCurrentlyScheduled();\n\n $entityIds = array_map(function ($entity) {\n return $entity->get('field_scheduled_item')->target_id;\n }, $scheduleEntities);\n\n return Node::loadMultiple($entityIds);\n }", "public function active_items()\n\t{\n\t\treturn $this->_active_items;\n\t}", "public function getAuthItems(): Collection;", "public function getActiveSongs()\n {\n return $this->published()->get();\n }", "function get_existing_tokens($username) {\n // Local variables\n $api_config = get_api_config()[1];\n $key_user = bin2hex($username); // Save our user's dedicated API client-ID\n $user_keys = [];\n foreach ($api_config[\"keys\"][\"key\"] as $id => $key) {\n if ($key[\"client_id\"] === $key_user) {\n $user_keys[$id] = array(\"client_token\" => $key[\"client_token\"], \"algo\" => $key[\"algo\"]);\n }\n }\n return $user_keys;\n}", "public function getDirectAuthItems(): Collection;", "public static function getUserTokens($userId)\n {\n self::ensureCacheExistance();\n $tokenCollection = \\Cache::get(self::$cacheKey);\n return (array_key_exists($userId, $tokenCollection))\n ? $tokenCollection[$userId]\n : [];\n }", "public function getUserByVerifictionToken($token): array{\n // Haalt Query-builder op. Beschikbaar gesteld door 'extends ServiceEntityRepository' zet 'q' als representatie van de tabel\n $qb = $this->createQueryBuilder('q')\n // Expressie om op verificatietoken te filteren\n ->where('q.verificationToken = :token')\n // Zet het :token variabel naar de waarde van $token\n ->setParameter('token', $token)\n // Zet het maximum aantal records dat terug komt\n ->setMaxResults(1)\n // Bereid query voor executie\n ->getQuery();\n // Voert query uit en stuurt resultaat terug\n return $qb->execute();\n }", "public function getAllItems(): array;", "public function myAction()\n {\n $user = $this->container->get('security.context')->getToken()->getUser();\n\n /** @var $ticketRepository \\Stfalcon\\Bundle\\EventBundle\\Repository\\TicketRepository */\n $ticketRepository = $this->getDoctrine()->getManager()\n ->getRepository('StfalconEventBundle:Ticket');\n $tickets = $ticketRepository->findTicketsOfActiveEventsForUser($user);\n\n return array('tickets' => $tickets);\n }", "function get_email_track_users()\n {\n $this->db->select('*');\n $this->db->where(array(\n 'status' => '0'\n ));\n $query = $this->db->get($this->table_track);\n $records = array();\n if ($query->num_rows() > 0 ) :\n $records = $query->result();\n endif;\n return $records;\n }", "public function getUserByAccessToken()\n {\n $user = AuthUser::user();\n $roles = AuthUser::roles();\n $hospitalUsers = $user->hospital_user;\n\n return [\n 'user' => $user,\n 'roles' => $roles,\n 'hospital' => $hospitalUsers\n ];\n }", "public function allForUser($userId);", "public function getUsers(){\n\t\t$reqBearer = $this->bearer;\t\n\t\t$this->model->getUsers($reqBearer);\n\t\t\n\t}", "public function getCurrentUserGuilds(AccessToken $accessToken, bool $withCounts = false): array\n {\n if (!$accessToken->hasScope('guilds')) throw new Exception(config('larascord.error_messages.missing_guilds_scope.message'));\n\n $endpoint = '/users/@me/guilds';\n\n if ($withCounts) {\n $endpoint .= '?with_counts=true';\n }\n\n $response = Http::withToken($accessToken->access_token, $accessToken->token_type)->get($this->baseApi . $endpoint);\n\n $response->throw();\n\n return array_map(function ($guild) {\n return new \\Jakyeru\\Larascord\\Types\\Guild($guild);\n }, json_decode($response->body()));\n }", "public function allOnline()\n {\n return $this->model->where('active', '=', true)\n ->orderBy('created_at', 'DESC')\n ->get();\n }", "public function getTrackingList()\n {\n return $this->trackingList;\n }" ]
[ "0.67123663", "0.56953245", "0.5685128", "0.56656355", "0.564039", "0.55971813", "0.5584043", "0.55672026", "0.5512717", "0.55088025", "0.55028737", "0.54924524", "0.54918617", "0.5382211", "0.53402203", "0.5329691", "0.523529", "0.52216375", "0.5217576", "0.5192834", "0.518426", "0.5183339", "0.5163599", "0.51570505", "0.51447314", "0.51447284", "0.5141522", "0.5121543", "0.50987774", "0.5097703" ]
0.72879165
0
Function used to indicate an item has changed and an alert should be signaled.
function itemChanged($itemNum, $setAlert) { global $items; $items->update(array('_id' => new MongoId($itemNum)), array('$set' => array('alert' => $setAlert))); // if (strcmp($setAlert, "true") == 0) // echo "\nALERT ACTIVE\n"; // else // echo "\nALERT CLEARED\n"; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function isItemChanged(): bool\n\t{\n\t\treturn true;\n\t}", "function stockChanged();", "function Unit2Event(&$item)\n {\n $updatedatas=$this->MyHash_Keys_Take\n (\n $this->ApplicationObj()->Unit,\n $this->ApplicationObj()->Event2MailInfo,\n $item\n );\n \n if (count($updatedatas)>0)\n {\n $this->Sql_Update_Item_Values_Set($updatedatas,$item);\n }\n\n return count($updatedatas);\n }", "function snax_item_status_changed( $new_status, $old_status, $post ) {\n\tif ( ! snax_is_item( $post ) || 'new' === $old_status ) {\n\t\treturn;\n\t}\n\n\t$approved_status = snax_get_item_approved_status();\n\t$pending_status = snax_get_item_pending_status();\n\n\tif ( $approved_status !== $old_status && $approved_status === $new_status ) {\n\t\tsnax_item_approved( $post );\n\t}\n\tif ( ( $approved_status === $old_status || $pending_status === $old_status ) && 'trash' === $new_status ) {\n\t\tsnax_item_rejected( $post );\n\t}\n}", "public static function notifyConsignmentPickedUp()\n {\n }", "public static function notifyPrivateSellerEdit()\n {\n }", "public function callback_perchange_beforesave1()\n {\n }", "protected function onAfterUpdate(Item $item, Request $request)\n {\n }", "public function notifyChange() {\n\t\tif($this->partOfCollection !== null) {\n\t\t\t$this->partOfCollection->change($this);\n\t\t}\n\t}", "function notificationSuccess($itemNum) {\n global $items;\n\n $item = $items->findOne(array('_id' => new MongoId($itemNum)));\n //findOne returns a different type of object which can be used to access elements\n\n if (strcmp($item['recurrence'], \"once\") == 0)\n {\n removeTrackedItem($itemNum);\n }\n else\n {\n itemChanged($itemNum, false);\n }\n}", "public function testUpdateObjectItem()\n {\n }", "public function isChanged($what = '');", "public function hasChanged();", "public static function notifySellerAcceptedOffer()\n {\n }", "public static function notifyBookNow()\n {\n }", "function notify_about_event_changes ($EventId, $row)\n{\n // Check for changes in the fields we care about\n\n $a = array ('MinPlayersMale', 'PrefPlayersMale', 'MaxPlayersMale',\n\t 'MinPlayersFemale', 'PrefPlayersFemale', 'MaxPlayersFemale',\n\t 'MinPlayersNeutral', 'PrefPlayersNeutral', 'MaxPlayersNeutral',\n\t 'Hours');\n\n $changes = '';\n foreach ($a as $key)\n {\n if ($_REQUEST[$key] != $row[$key])\n {\n $changes .= sprintf (\"%s changed from %d to %d\\n\",\n\t\t\t $key,\n\t\t\t $row[$key],\n\t\t\t $_REQUEST[$key]);\n }\n }\n\n // If nothing important (to the con) changed, we're done\n\n if ('' == $changes)\n return;\n\n // Tell the Bid Chair and the GM Coordinator\n\n $subj = sprintf ('[%s] Changes were made to \"%s\"',\n\t\t CON_NAME,\n\t\t $_REQUEST['Title']);\n\n $sql = 'Select FirstName, LastName FROM Users';\n $sql .= ' WHERE UserId=' .$_SESSION['SESSION_LOGIN_USER_ID'];\n\n $result = mysql_query ($sql);\n if ($result)\n {\n $user_row = mysql_fetch_object($result);\n if ($user_row)\n $changes .= \"\\nMade by $user_row->FirstName $user_row->LastName\\n\";\n }\n\n // echo \"Subject: $subj<br>\\n\";\n // echo \"Body: $changes<p>\\n\";\n if (! intercon_mail (EMAIL_BID_CHAIR, $subj, $changes))\n return display_error ('Attempt to send changes to Bid Chair failed');\n\n if (! intercon_mail (EMAIL_GM_COORDINATOR, $subj, $changes))\n return display_error ('Attempt to send changes to GM Coordinator failed');\n}", "public function getChanged()\n {\n return 0;\n }", "private function notification(){\n\t\n\t}", "private function triggerItemUse($itemId)\n {\n $inventoryItem = Inventory::query()->where('api_item_id', $itemId)->first();\n \n if ($inventoryItem) {\n $inventoryItem->used = true;\n $inventoryItem->save();\n }\n }", "public static function notifyCounterOfferAgainstOffer()\n {\n }", "public function notifyOrderStatus()\n {\n }", "public function on_update() {}", "public function hasChanged(array $data);", "abstract public function respondToNotification();", "public function hasChanged() : bool;", "public function core_notify_sold_sign_status_changed($vars)\n {\n $vars = array(\n 'listingId', //id of the listing that has changed\n 'new_status', //updated sold status (1 or 0)\n 'is_auction', //Quick check whether it is an auction or not.\n //Added in version 7.2.2\n );\n\n //Note that is_auction will not be set at all for the \"normal\" use of changing\n //the sold status on or off, which only happens for classifieds. The is_auction\n //will only be set and set to 1 when it is set as sold, as a result of\n //a buy-now-only auction being sold out, when the settings are set to mark such\n //auctions as sold rather than simply closing them once they are sold out.\n }", "public function notificationProductInventoryUpdate(){\n \t\t$itemObject;\n \t\t$fileInfo = array();\n \t\t$ioAdapter = new Varien_Io_File();\n \t\t$open_monitor_from = Date('Y-m-d h:i:s', strtotime('-'.Mage::getStoreConfig(self::XML_PATH_INVENTORY_NOTIFICATION_DAYS).' day'));\n \t\t$open_monitor_to = Mage::getModel('core/date')->gmtDate();\n \t\t$itemObject = Mage::getModel('dropship360/inventory')->getCollection()->addFieldTofilter('updated_at', array('from' => $open_monitor_from,'to' => $open_monitor_to));\n \t\tif($itemObject->getSize() <= 0){\n \t\t\tMage::log('cannot send outdated product inventory email collection is empty for form :'.$open_monitor_from.' to :'.$open_monitor_to, null, 'notification_error.log');\n \t\t\treturn $this;\n \t\t}\n \t\t$fileInfo = Mage::getModel('dropship360/csvparser')->getCsvFile($itemObject);\n \t\t$mailData['days'] = Mage::getStoreConfig(self::XML_PATH_INVENTORY_NOTIFICATION_DAYS);\n \t\t$mailData['subject'] = 'dropship360 list of outdated product inventory';\n \t\t$postObject = new Varien_Object();\n \t\t$postObject->setData($mailData);\n \t\t$email = trim(Mage::getStoreConfig(self::XML_PATH_INVENTORY_NOTIFICATION_EMAIL));\n \t\t$templateId = 'logicbroker_outdated_product_inventory';\n \t\t$isMailSent = Mage::helper('dropship360')->sendMail($postObject,$email,$templateId,$fileInfo['value']);\n \t\t$ioAdapter->rm($fileInfo['value']);\n \t\treturn $this;\n \t}", "public function wplister_inventory_status_changed( $post_id ) {\n $this->dblogger = new WPLA_AmazonLogger();\n\n // log to db - before request\n $this->dblogger->updateLog( array(\n 'callname' => 'wplister_inventory_status_changed',\n 'request' => 'internal action hook',\n 'parameters' => maybe_serialize( $post_id ),\n 'request_url' => '',\n 'account_id' => '',\n 'market_id' => '',\n 'success' => 'pending'\n ));\n\t\t\n\t\t// mark as modified\n\t\t$listingsModel = new WPLA_ListingsModel();\n\t\t$result = $listingsModel->markItemAsModified( $post_id );\n\t\tWPLA()->logger->info('marked item as modified: ' . $post_id . '');\n\n\t\t// create and submit pending feeds immediately - to minimize delay when syncing sales\n\t\t// (disabled because WPLA cron job runs immediately after WPLE cron job now)\n\t\t// do_action('wpla_submit_pending_feeds');\n\n // log to db \n $this->dblogger->updateLog( array(\n 'result' => json_encode( $result ),\n 'success' => 'Success'\n ));\n\n\t}", "public function testUpdateNotificationType()\n {\n }", "public function publicOnResoldItem(array &$invItem)\r\n\t{\r\n\t\treturn true;\r\n\t}" ]
[ "0.70061696", "0.5885999", "0.57157063", "0.5634363", "0.5631835", "0.5626792", "0.56179535", "0.5593303", "0.55904454", "0.5563981", "0.5475149", "0.5474315", "0.5420504", "0.54108363", "0.54098463", "0.5407182", "0.5397696", "0.5385688", "0.53834105", "0.5369015", "0.5358147", "0.53294384", "0.5326144", "0.53212035", "0.52397084", "0.5228747", "0.5226168", "0.5221186", "0.52093536", "0.5200046" ]
0.6405134
1
Get type of this box.
public function getType(): string { return self::$BOX_TYPE; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function get_type() {\n\t\treturn $this->type;\n\t}", "protected function getType() {\n return $this->_type;\n }", "public function get_type()\n {\n return $this->type;\n }", "public function get_type()\n {\n return $this->type;\n }", "public function getType() {\n return $this->_type;\n }", "public function getType() {\n return $this->_type;\n }", "public function get_type() {\n\n return $this->type;\n\n }", "public function getType() {\n\t\treturn $this->_type;\n\t}", "public function getType() {\n\t\treturn $this->_type;\n\t}", "public function getType() {\n\t\treturn $this->_type;\n\t}", "public function getType() {\n\t\treturn $this->_type;\n\t}", "public function getType()\n {\n return $this->_type;\n }", "public function getType()\n {\n return $this->_type;\n }", "public function getType()\n {\n return $this->_type;\n }", "public function getType()\n {\n return $this->_type;\n }", "public function getType()\n {\n return $this->_type;\n }", "public function getType()\n {\n return $this->_type;\n }", "public function getType()\n {\n return $this->_type;\n }", "public function get_type() {\n return $this->type;\n }", "public function get_type() {\n return $this->type;\n }", "public function get_type()\r\n {\r\n return $this->type;\r\n }", "protected function getType()\n\t{\n\t\treturn $this->type;\n\t}", "public function getType()\n {\n return $this->get(self::TYPE);\n }", "public function getType()\n {\n return $this->get(self::TYPE);\n }", "public function getType()\n {\n return $this->get(self::TYPE);\n }", "public function getType()\n {\n return $this->get(self::TYPE);\n }", "public function getType()\n {\n return $this->get(self::TYPE);\n }", "public function getType()\n {\n return $this->_type;\n }", "public function getType () {\r\n\t\treturn $this->type;\r\n\t}", "public function getType() {\n\t\treturn $this->type;\n\t}" ]
[ "0.7844628", "0.7820345", "0.78180844", "0.78180844", "0.78116", "0.78116", "0.77976125", "0.7797083", "0.7797083", "0.7797083", "0.7797083", "0.77960575", "0.77960575", "0.77960575", "0.77960575", "0.77960575", "0.77960575", "0.77960575", "0.77928096", "0.77928096", "0.77924323", "0.7791926", "0.7789254", "0.7789254", "0.7789254", "0.7789254", "0.7789254", "0.77872896", "0.7780253", "0.77748376" ]
0.8421781
1
This method check if SQlSplitter can be generate the splitted databases from a file with all them.
public function testSplitMultipleDatabasesFromAFile() { $this->instance->setFrom($this->getPathOfDatabases()); $this->instance->split(); $databases = array_keys($this->instance->getDatabases()); $this->assertEquals('university', $databases[0]); $this->assertEquals('student', $databases[1]); $this->assertEquals('exam', $databases[2]); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function testSplitSingleDatabaseFromAFile()\n {\n $this->instance->setFrom($this->getPathOfDatabase());\n\t\t$this->instance->split();\n $databases = array_keys($this->instance->getDatabases());\n $this->assertEquals('dbalone', $databases[0]);\n }", "public function testSaveSplittedDatabases(){\n $this->instance->setFrom($this->getPathOfDatabases());\n\t\t$this->instance->split();\n $this->instance->save();\n $databases = array_keys($this->instance->getDatabases());\n foreach($databases as $database){\n $file = ''.$this->instance->getTo().$database.'.sql';\n $this->assertFileExists($file);\n @unlink($file);\n }\n }", "public function testSplitMultipleDatabasesFromAStringData(){\n $this->instance->setData(file_get_contents($this->getPathOfDatabases()));\n\t\t$this->instance->split();\n $databases = array_keys($this->instance->getDatabases());\n $this->assertEquals('university', $databases[0]);\n $this->assertEquals('student', $databases[1]);\n $this->assertEquals('exam', $databases[2]);\n }", "public function testSaveDumpOfSplittedDatabases(){\n $this->instance->setFrom($this->getPathOfDatabases());\n\t\t$this->instance->split();\n $this->instance->saveJoin();\n $databases = array_keys($this->instance->getDatabases());\n $file = ''.$this->instance->getTo().'dump.sql';\n $this->assertFileExists($file);\n @unlink($file);\n }", "public static function get_valid_dbs() {\n $db_list = settings::get_metagenome_db_list();\n $db_files = explode(\",\", $db_list);\n\n $dbs = array();\n for ($i = 0; $i < count($db_files); $i++) {\n $dbs[$i] = $db_files[$i];\n }\n\n return $dbs;\n }", "function splitSQLFile() {\n\t\tif (!function_exists('splitFiles')) {\n\t\t\t$this->load->helper('sql');\n\t\t}\n\t\t$mess = \"No filename provided.\";\n\t\t$filename = $this->uri->segment(5);\n $delete = $this->uri->segment(6);\n\t\t$delete = ((isset($delete) && $delete == 1) ? true : false);\n\t\t\n if (isset($filename) && !empty($filename)) {\n\t\t\t$settings = $this->settings_lib->find_all();\n\t\t\t$mess = splitFiles($settings['osp.sql_path'],$filename, $delete, $settings['osp.max_sql_size'],$settings['osp.sql_timeout']);\n\t\t}\n\t\tif ($mess != \"OK\") {\n\t\t\tTemplate::set_message(\"error:\".$mess,'error');\n\t\t} else {\n Template::set_message(\"File successfully split\",'success');\n\t\t}\n $this->load_sql();\n\t}", "protected static function cmsDatabase()\n {\n $db = Yii::$app->db;\n\n $filename = static::getDirname() . '/schema/' . $db->driverName . '.sql';\n $content = @file_get_contents($filename);\n if ($content === false) {\n return;\n }\n\n foreach (explode(';', $content) as $s) {\n if (trim($s) !== '') {\n $db->createCommand($s)->execute();\n }\n }\n }", "private function loadStructureToMigrate()\n {\n $boolRetVal = false;\n $sql = '';\n\n try {\n $this->connect();\n $sql = 'SHOW FULL TABLES IN `' . $this->strMySqlDbName . '`;';\n $stmt = $this->mysql->query($sql);\n $arrResult = $stmt->fetchAll(\\PDO::FETCH_ASSOC);\n\n foreach ($arrResult as $arrRow) {\n if ('BASE TABLE' == $arrRow['Table_type']) {\n $this->arrTablesToMigrate[] = $arrRow;\n } elseif ('VIEW' == $arrRow['Table_type']) {\n $this->arrViewsToMigrate[] = $arrRow;\n }\n unset($arrRow);\n }\n\n $boolRetVal = true;\n unset($sql, $stmt, $arrResult);\n\n } catch (\\PDOException $e) {\n $this->generateError(\n $e,\n __METHOD__ . PHP_EOL . \"\\t\" . '-- Cannot load tables/views from source (MySql) database...',\n $sql\n );\n }\n return $boolRetVal;\n }", "public function hasInitialSplits(){\n return $this->_has(4);\n }", "public function checkSQLs(\\SplFileInfo $migrationFolder ) {\n\n\t\t$filesToMigrate = MigrationUtils::getMigrationItems( $migrationFolder, 0 );\n\n\t\t$wrongs = [];\n\n\t\t/* @var MigrationItem $migrationItem */\n\t\tforeach( $filesToMigrate as $migrationItem ) {\n\n\t\t\t$content = file_get_contents($migrationItem->getFile()->getRealPath());\n\n\t\t\tif (!MigrationSqlUtils::isUTF8($content)) {\n\t\t\t\t$wrongs[]=StringUtils::message(\"File [{}] is not valit UTF-8 file\", $migrationItem->getFile()->getFilename() );\n\t\t\t\tcontinue;\n\t\t\t}\n\n\t\t\tif (MigrationSqlUtils::checkContainBOM($content)) {\n\t\t\t\tfile_put_contents($migrationItem->getFile()->getRealPath(), MigrationSqlUtils::removeBOM($content));\n\t\t\t\t$wrongs[]=StringUtils::message(\" - file [{}] used to contained BOM, fixed\", $migrationItem->getFile()->getFilename() );\n\t\t\t}\n\t\t}\n\n\t\t// pass all errors at once\n\t\tthrow new MigrationException(implode('\\n', $wrongs));\n\t}", "public static function isInsideDbList() {\n\t\t$s_scriptName = t3lib_div::getIndpEnv('SCRIPT_NAME');\n\t\t$i_pathLenght = strlen($s_scriptName);\n\t\tif(substr($s_scriptName,$i_pathLength-11) == 'db_list.php') return true;\n\t\treturn false;\n\t}", "function _processSQLfile($filename)\n {\n $file_content = file($filename);\n $query = \"\";\n foreach($file_content as $sql_line)\n {\n $tsl = trim($sql_line);\n if (($sql_line != \"\") && (substr($tsl, 0, 2) != \"--\") && (substr($tsl, 0, 1) != \"#\"))\n {\n $query .= $sql_line;\n if(preg_match(\"/;\\s*$/\", $sql_line))\n {\n // We need to remove only the last semicolon\n $pos = strrpos($query,\";\");\n if($pos !== false)\n {\n $query = substr($query,0,$pos).substr($query,$pos+1);\n }\n\n $result = pdo_query($query);\n if (!$result)\n {\n $xml .= \"<db_created>0</db_created>\";\n die(pdo_error());\n }\n $query = \"\";\n }\n }\n } // end for each line\n }", "private function database_is_valid()\n {\n try {\n $result = $this->db->query('SELECT version FROM db_version');\n if(!$result)\n return false;\n\n //check if our current version matches\n $versionArray = $result->fetch();\n if(sizeof($versionArray) < 1)\n return false;\n\n if($versionArray[0] != self::DB_VERSION)\n return false;\n\n // dummy query to test each table\n foreach($this->db_structure as $table_name => &$tables_def) {\n $testQuery = \"SELECT \";\n $first = true;\n foreach($tables_def as $column => $type) {\n //do not add a comma before the first column\n if(!$first)\n $testQuery .= ',';\n else\n $first = false;\n\n $testQuery .= '`'.$column.'`';\n }\n $testQuery .= \" FROM \".$table_name.\" LIMIT 1\";\n $result = $this->db->query($testQuery);\n if(!$result)\n return false;\n }\n } catch (Exception $e) {\n //something went wrong\n return false;\n }\n\n //all ok\n return true;\n }", "public function check_is_same_db() {\n\t\treturn isset($this->options['separate_db'])?(bool)$this->options['separate_db']: false;\n\t}", "function fetch_db($filename, $delimiter)\n{\n if(!file_exists($filename) || !is_readable($filename))\n return FALSE;\n $entry = 0;\n $data = array();\n $lines = file ($filename);\n for($i=0;$i<count($lines);$i++){\n $line_pieces = explode($delimiter,trim($lines[$i]));\n if(substr($line_pieces[0],0, 1)==\"#\" || count($line_pieces) < 4)continue;\n $aux_ID = explode(\"/\",$line_pieces[0]);\n if (count($aux_ID )==2){\n $data[$entry][] = trim($aux_ID[0]);\n $data[$entry][] = trim($aux_ID[1]);\n }\n\n for ($j=1;$j<count($line_pieces);$j++){\n if (strlen(trim($line_pieces[$j]))>0){\n $data[$entry][] = trim($line_pieces[$j]);\n }\n }\n $entry++;\n }\n return $data;\n}", "public function isDbSetup(){\n\t\t\n\t\t$schema = $this->conn->getSchemaManager();\n\n\t\tforeach ($this->tables as $table){\n\n\t\t\tif ( !$schema->tablesExist($table) )\n\t\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t}", "function run_check_sql_files( $task=null, $args=array(), $cliopts=array() )\n{\n $opts = eZExtBuilder::getOpts( @$args[0] );\n $destdir = eZExtBuilder::getBuildDir( $opts ) . '/' . $opts['extension']['name'];\n\n $schemafile = $opts['files']['sql_files']['db_schema'];\n $schemafiles = array( 'share' => 'db_schema.dba', 'sql/mysql' => $schemafile, 'sql/oracle' => $schemafile, 'sql/postgresql' => $schemafile );\n if ( $schemafile == '$db.sql' )\n {\n $schemafiles = array( 'share' => 'db_schema.dba', 'sql/mysql' => 'mysql.sql', 'sql/oracle' => 'oracle.sql', 'sql/postgresql' => 'postgresql.sql' );\n }\n $count = 0;\n foreach( $schemafiles as $dir => $file )\n {\n $files = pakeFinder::type( 'file' )->name( $file )->maxdepth( 0 )->in( $destdir . \"/$dir\" );\n if ( count( $files ) )\n {\n if ( filesize( $files[0] ) == 0 )\n {\n throw new pakeException( \"Sql schema file {$files[0]} is empty. Please fix\" );\n }\n $count++;\n }\n\n }\n if ( $count > 0 && $count < 4 )\n {\n throw new pakeException( \"Found some sql schema files but not all of them. Please fix\" );\n }\n\n $datafile = $opts['files']['sql_files']['db_data'];\n $datafiles = array( 'share' => 'db_data.dba', 'sql/mysql' => $datafile, 'sql/oracle' => $datafile, 'sql/postgresql' => $datafile );\n if ( $datafile == '$db.sql' )\n {\n $datafiles = array( 'share' => 'db_data.dba', 'sql/mysql' => 'mysql.sql', 'sql/oracle' => 'oracle.sql', 'sql/postgresql' => 'postgresql.sql' );\n }\n $count = 0;\n foreach( $datafiles as $dir => $file )\n {\n $files = pakeFinder::type( 'file' )->name( $file )->maxdepth( 0 )->in( $destdir . \"/$dir\" );\n if ( count( $files ) )\n {\n if ( filesize( $files[0] ) == 0 )\n {\n throw new pakeException( \"Sql data file {$files[0]} is empty. Please fix\" );\n }\n $count++;\n }\n }\n if ( $count > 0 && $count < 4 )\n {\n throw new pakeException( \"Found some sql data files but not all of them. Please fix\" );\n }\n}", "abstract public function importDatabase($dbHandle, $file);", "public function createDbStructure() {\n global $autoprefix;\n\n try {\n // check that we don't have the structure in place already\n // (we'd have at least 1 user present, since 4 are being created by default - Support, Nature, Multihunter & Taskmaster)\n $data_exist = $this->query_return(\"SELECT * FROM \" . TB_PREFIX . \"users LIMIT 1\");\n if ($data_exist && count($data_exist)) {\n return false;\n }\n \n // load the DB structure SQL file\n $str = file_get_contents($autoprefix.\"var/db/struct.sql\");\n $str = preg_replace(\"'%PREFIX%'\", TB_PREFIX, $str);\n $result = $this->dblink->multi_query($str);\n \n // fetch results of the multi-query in order to allow subsequent query() and multi_query() calls to work\n while (mysqli_more_results($this->dblink) && mysqli_next_result($this->dblink)) {;}\n\n if (!$result) {\n return false;\n }\n } catch (\\Exception $e) {\n return -1;\n }\n \n return true;\n }", "public function restoreDatabaseTables($filePath){\n $templine = '';\n \n // Read in entire file\n $lines = file($filePath);\n \n $error = '';\n \n // Loop through each line\n foreach ($lines as $line){\n // Skip it if it's a comment\n if(substr($line, 0, 2) == '--' || $line == ''){\n continue;\n }\n // Add this line to the current segment\n $templine .= $line;\n // If it has a semicolon at the end, it's the end of the query\n if (substr(trim($line), -1, 1) == ';'){\n // Perform the query\n if(!$this->db->query($templine)){\n $error .= 'Error performing query \"<b>' . $templine . '</b>\": ' . $error . '<br /><br />';\n }\n // Reset temp variable to empty\n $templine = '';\n }\n }\n return !empty($error)?$error:true;\n }", "protected function isRestoreMigrationDataRequired(): bool\n {\n foreach ($this->getDatabases() as $db) {\n $table = $db->table($this->config->getTable());\n\n if (\n $table->select('id')\n ->where(['created_at' => null])\n ->count() > 0\n ) {\n return true;\n }\n }\n\n return false;\n }", "public function testAcceptLargeArguments()\n {\n $argv = [\n 'input' => $this->getPathOfDatabase(),\n 'output' => $this->getPathOfOutputDatabases(),\n 'prefix' => 'test',\n 'stream' => true,\n 'join' => true,\n 'logs' => true\n ];\n $this->getInstanceOutput($argv);\n $file = $this->getPathOfOutputDatabases().'test_dbalone.sql';\n $this->assertFileExists($file);\n @unlink($file);\n @unlink($this->getPathOfOutputDatabases().'test_dump.sql');\n }", "protected function loadDatabaseSchema() {\n $database = $this->createDatabaseInstance();\n $schemaReader = new SchemaReader($database);\n $schemas = $schemaReader->load();\n if (is_null($this->config->getSchemaListToGenerate())) {\n $this->schemas = $schemas;\n } else {\n foreach ($this->config->getSchemaListToGenerate() as $name) {\n if (isset($schemas[$name])) {\n $this->schemas[$name] = $schemas[$name];\n } else {\n $this->output->writeln(\"<error>There is no [{$name}] schema in this database.</error>\");\n }\n }\n }\n if (!isset($this->schemas['public'])) {\n $this->output->writeln(\"<warn>WARNING: The [public] schema from your database was not selected!</warn>\");\n }\n return true;\n }", "public function DataImportation()\n {\n $credentials=ReferenceDatabaseCredentials::where(\"referenceId\",Input::get('referenceName'))->first();\n $tag = $credentials->databaseType;\n $map=ReferenceImport::where(\"referenceId\",Input::get('referenceName'))->get();\n $mapTable=ReferenceImport::where(\"referenceId\",Input::get('referenceName'))->first();\n\n\n $location=Input::get('location');\n $branch=Input::get('stakeholder');\n $referenceDetail=ReferenceDetails::where(\"referenceId\",Input::get('referenceName'))->get();\n\n $optionId=array();\n\n $tables=array();\n $tables[]=$mapTable->tableName;\n $m=0;\n foreach($map as $detail){\n\n if($tables[$m] != $detail->tableName){\n $tables[]=$detail->tableName;\n $m++;\n\n }\n\n }\n\n print_r($tables);\n if ($tag != '') {\n\n\n\n\n\n if($tag == \"sqlite\")\n {\n //Get details for the database\n $name = $credentials->databaseName;\n\n define(\"DB_DATABASE\", $name);\n define(\"DB_PREFIX\", \"\");\n\n //its connection details\n\n }else if($tag == \"sqlsrv\"){\n\n //Get details for the database\n $host = $credentials->host;\n $DBname = $credentials->databaseName;\n $user = $credentials->username;\n $password = $credentials->password;\n\n\n define(\"DB_HOST\", $host);\n define(\"DB_DATABASE\", $DBname);\n define(\"DB_USER\", $user);\n define(\"DB_PASSWORD\", $password);\n define(\"DB_PREFIX\", \"\");\n\n //its connection details\n }\n else if($tag == \"mysql\"){\n //Get details for the database\n $host = $credentials->host;\n $DBname = $credentials->databaseName;\n $user = $credentials->username;\n $password = $credentials->password;\n $charSet = \"utf8\";\n $collation = \"utf8_unicode_ci\";\n\n define(\"DB_HOST\", $host);\n define(\"DB_DATABASE\", $DBname);\n define(\"DB_USER\", $user);\n define(\"DB_PASSWORD\", $password);\n define(\"DB_CHARSET\", $charSet);\n define(\"DB_COLLATION\", $collation);\n define(\"DB_PREFIX\", \"\");\n\n //its connection to mysql\n\n $con =mysql_connect(DB_HOST, DB_USER, DB_PASSWORD);\n // Check connection\n if (!$con) {\n die('Failed to connect to MySQL: ' . mysql_error());\n }\n // selecting database\n mysql_select_db(DB_DATABASE);\n $ListOfTables = mysql_query(\"show tables from \".DB_DATABASE); // run the query and assign the result to $result\n\n //geting the tables\n\n if($ListOfTables)\n {\n foreach($tables as $tableName){\n $columns=ReferenceImport::where(\"tableName\",$tableName)->get();\n $list=array();\n foreach($columns as $col){\n if($col->referenceId == Input::get('referenceName') ){\n $list[]=$col->databaseColumn;\n $optionId[]=$col->optionsId;\n }\n }\n echo \" \".(implode(\",\",$list));\n\n\n $columnValue = mysql_query(\"select \".implode(\",\",$list).\" FROM \".$tableName);\n $no=sizeof($list);\n\n echo \" from \";\n echo $tableName.\" \";\n\n\n $tag=DataTag::orderBy(\"datatagId\",\"DESC\")->first();\n while($row = mysql_fetch_array($columnValue))\n { if($tag!=\"\"){\n $t=$tag->datatagId+1;\n }\n else{\n $t=0;\n }\n\n\n $reference=Reference::all();\n $id = DB::table($tableName)->insertGetId(\n array('created_at'=>(new DateTime())->format('Y-m-d H:i:s'),\n 'updated_at'=>(new DateTime())->format('Y-m-d H:i:s'),\n\n\n ));\n foreach ($reference->referenceDetails as $col){\n DB::table($tableName)\n ->where('id',$id)\n ->update(array($col->name => Input::get('name'.$col->id)));\n\n\n }\n\n\n $tag=DataTag::create(array(\n 'tableId' => Input::get('formName'),\n 'datatagId' => $t\n ));\n $tag->tableId= Input::get('formName');\n $tag->datatagId= $t;\n $tag->save();\n\n }\n\n\n\n\n\n\n }\n $msg= \"The Importation of data to the form was a success!!\";\n $reference_name = Reference::find(Input::get('referenceName'));\n $dataTag = DataTag::where(\"tableId\",$reference_name->id)->get();\n $reference_details = $tableName::where(\"referenceId\",$reference_name->id)->get();\n $reference_head1 =ReferenceImport::where(\"referenceId\",$reference_name->id)->get();\n $symbol=\"0\";\n\n\n\n\n return View::make('data.specific_table', compact('msg','reference_name','reference_details','dataTag','reference_head1','symbol'));\n }\n else{\n $response[\"error\"] = 0;\n $response[\"error_msg\"] = \"error in getting database\";\n echo json_encode($response);\n }\n }\n else if($tag == \"pgsql\"){\n //Get details for the database\n $host = $credentials->host;\n $DBname = $credentials->databaseName;\n $user = $credentials->username;\n $password = $credentials->password;\n $charSet = \"utf8\";\n $schema = \"public\";\n\n define(\"DB_HOST\", $host);\n define(\"DB_DATABASE\", $DBname);\n define(\"DB_USER\", $user);\n define(\"DB_PASSWORD\", $password);\n define(\"DB_CHARSET\", $charSet);\n define(\"DB_SCHEMA\", $schema);\n define(\"DB_PREFIX\", \"\");\n\n //its connection details\n }\n\n\n\n }\n\n }", "public function is_valid_db() {\n if ($this->dbcount > 0) {\n return true;\n } else {\n return false;\n }\n }", "private function createAndPopulateTables()\n {\n foreach ($this->arrTablesToMigrate as $arrTable) {\n $floatStartCopy = microtime(true);\n\n if (\n !$this->isDataOnly\n && !$this->createTable($arrTable['Tables_in_' . $this->strMySqlDbName])\n ) {\n return false;\n } else {\n $intRecords = $this->populateTable($arrTable['Tables_in_' . $this->strMySqlDbName]);\n }\n\n $floatEndCopy = microtime(true);\n $this->arrSummaryReport[] = [\n $this->strSchema . '.' . $arrTable['Tables_in_' . $this->strMySqlDbName],\n $intRecords,\n round(($floatEndCopy - $floatStartCopy), 3) . ' seconds',\n ];\n\n unset($arrTable, $floatStartCopy, $floatEndCopy, $intRecords);\n }\n\n return true;\n }", "protected static function loadSchema() : bool\n {\n return true;\n }", "protected function checkDB() {\n }", "private static function readSqlDump($file)\n {\n if (is_file($file) && is_readable($file)) {\n $ret = [];\n $sqlsplit = [];\n $fileContent = file_get_contents($file);\n self::splitSqlFile($sqlsplit, $fileContent, '');\n\n if (is_array($sqlsplit)) {\n foreach ($sqlsplit as $qry) {\n $ret[] = $qry['query'];\n }\n }\n\n return $ret;\n }\n\n return false;\n }", "public function dbImport($strFilename);" ]
[ "0.65984815", "0.6086472", "0.60202456", "0.58715475", "0.5799654", "0.57724386", "0.55435765", "0.54623914", "0.5452727", "0.53749484", "0.53507036", "0.5274376", "0.5248582", "0.52075034", "0.51693153", "0.51692545", "0.5153849", "0.5149075", "0.5092655", "0.5063424", "0.505201", "0.5050597", "0.50451857", "0.5039584", "0.5031803", "0.50108266", "0.5007431", "0.49866086", "0.49715003", "0.49604312" ]
0.68767047
0
This method check if SQlSplitter can be generate the splitted databases from a string with all them.
public function testSplitMultipleDatabasesFromAStringData(){ $this->instance->setData(file_get_contents($this->getPathOfDatabases())); $this->instance->split(); $databases = array_keys($this->instance->getDatabases()); $this->assertEquals('university', $databases[0]); $this->assertEquals('student', $databases[1]); $this->assertEquals('exam', $databases[2]); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function testSplitMultipleDatabasesFromAFile()\n {\n $this->instance->setFrom($this->getPathOfDatabases());\n\t\t$this->instance->split();\n $databases = array_keys($this->instance->getDatabases());\n $this->assertEquals('university', $databases[0]);\n $this->assertEquals('student', $databases[1]);\n $this->assertEquals('exam', $databases[2]);\n }", "public function testSplitSingleDatabaseFromAFile()\n {\n $this->instance->setFrom($this->getPathOfDatabase());\n\t\t$this->instance->split();\n $databases = array_keys($this->instance->getDatabases());\n $this->assertEquals('dbalone', $databases[0]);\n }", "function _splitQueries($sql)\n\t{\n\t\t// Initialise variables.\n\t\t$buffer\t\t= array();\n\t\t$queries\t= array();\n\t\t$in_string\t= false;\n\n\t\t// Trim any whitespace.\n\t\t$sql = trim($sql);\n\n\t\t// Remove comment lines.\n\t\t$sql = preg_replace(\"/\\n\\#[^\\n]*/\", '', \"\\n\".$sql);\n\n\t\t// Parse the schema file to break up queries.\n\t\tfor ($i = 0; $i < strlen($sql) - 1; $i ++)\n\t\t{\n\t\t\tif ($sql[$i] == \";\" && !$in_string)\n {\n\t\t\t\t$queries[] = substr($sql, 0, $i);\n\t\t\t\t$sql = substr($sql, $i +1);\n\t\t\t\t$i = 0;\n\t\t\t}\n\n\t\t\tif ($in_string && ($sql[$i] == $in_string) && $buffer[1] != \"\\\\\")\n {\n\t\t\t\t$in_string = false;\n\t\t\t}\n\t\t\telseif (!$in_string && ($sql[$i] == '\"' || $sql[$i] == \"'\") && (!isset ($buffer[0]) || $buffer[0] != \"\\\\\"))\n {\n\t\t\t\t$in_string = $sql[$i];\n\t\t\t}\n\t\t\tif (isset ($buffer[1]))\n {\n\t\t\t\t$buffer[0] = $buffer[1];\n\t\t\t}\n\t\t\t$buffer[1] = $sql[$i];\n\t\t}\n\n\t\t// If the is anything left over, add it to the queries.\n\t\tif (!empty($sql))\n {\n\t\t\t$queries[] = $sql;\n\t\t}\n\n\t\treturn $queries;\n\t}", "public static function splitSqlFile(&$ret, $sql, $release)\n {\n // do not trim, see bug #1030644\n //$sql = trim($sql);\n $sql = rtrim($sql, \"\\n\\r\");\n $sql_len = strlen($sql);\n $string_start = '';\n $in_string = false;\n $nothing = true;\n $time0 = time();\n\n for ($i = 0; $i < $sql_len; ++$i) {\n $char = $sql[$i];\n\n // We are in a string, check for not escaped end of strings except for\n // backquotes that can't be escaped\n if ($in_string) {\n for (; ;) {\n $i = strpos($sql, $string_start, $i);\n // No end of string found -> add the current substring to the\n // returned array\n if (!$i) {\n $ret[] = $sql;\n return true;\n }\n // Backquotes or no backslashes before quotes: it's indeed the\n // end of the string -> exit the loop\n if ($string_start == '`' || $sql[$i - 1] != '\\\\') {\n $string_start = '';\n $in_string = false;\n break;\n }\n // one or more Backslashes before the presumed end of string...\n\n // ... first checks for escaped backslashes\n $j = 2;\n $escaped_backslash = false;\n while ($i - $j > 0 && $sql[$i - $j] == '\\\\') {\n $escaped_backslash = !$escaped_backslash;\n ++$j;\n }\n // ... if escaped backslashes: it's really the end of the\n // string -> exit the loop\n if ($escaped_backslash) {\n $string_start = '';\n $in_string = false;\n break;\n }\n // ... else loop\n\n ++$i;\n\n // end if...elseif...else\n } // end for\n } // end if (in string)\n\n // lets skip comments (/*, -- and #)\n elseif (($char == '-' && $sql_len > $i + 2 && $sql[$i + 1] == '-' && $sql[$i + 2] <= ' ') || $char == '#' || ($char == '/' && $sql_len > $i + 1 && $sql[$i + 1] == '*')) {\n $i = strpos($sql, $char == '/' ? '*/' : \"\\n\", $i);\n // didn't we hit end of string?\n if ($i === false) {\n break;\n }\n if ($char == '/') {\n ++$i;\n }\n }\n\n // We are not in a string, first check for delimiter...\n elseif ($char == ';') {\n // if delimiter found, add the parsed part to the returned array\n $ret[] = ['query' => substr($sql, 0, $i), 'empty' => $nothing];\n $nothing = true;\n $sql = ltrim(substr($sql, min($i + 1, $sql_len)));\n $sql_len = strlen($sql);\n if ($sql_len) {\n $i = -1;\n } else {\n // The submited statement(s) end(s) here\n return true;\n }\n } // end else if (is delimiter)\n\n // ... then check for start of a string,...\n elseif (($char == '\"') || ($char == '\\'') || ($char == '`')) {\n $in_string = true;\n $nothing = false;\n $string_start = $char;\n } // end else if (is start of string)\n\n elseif ($nothing) {\n $nothing = false;\n }\n\n // loic1: send a fake header each 30 sec. to bypass browser timeout\n $time1 = time();\n if ($time1 >= $time0 + 30) {\n $time0 = $time1;\n header('X-pmaPing: Pong');\n } // end if\n } // end for\n\n // add any rest to the returned array\n if (!empty($sql) && preg_match('@[^[:space:]]+@', $sql)) {\n $ret[] = ['query' => $sql, 'empty' => $nothing];\n }\n\n return true;\n }", "function split_sql($sql) {\n $sql = trim($sql);\n $sql = preg_replace(\"/\\n#[^\\n]*\\n/\", \"\\n\", $sql);\n $buffer = array();\n $ret = array();\n $in_string = false;\n for($i=0; $i<strlen($sql)-1; $i++) {\n if($sql[$i] == \";\" && !$in_string) {\n $ret[] = substr($sql, 0, $i);\n $sql = substr($sql, $i + 1);\n $i = 0;\n }\n if($in_string && ($sql[$i] == $in_string) && $buffer[1] != \"\\\\\") {\n $in_string = false;\n }\n elseif(!$in_string && ($sql[$i] == '\"' || $sql[$i] == \"'\") && (!isset($buffer[0]) || $buffer[0] != \"\\\\\")) {\n $in_string = $sql[$i];\n }\n if(isset($buffer[1])) {\n $buffer[0] = $buffer[1];\n }\n $buffer[1] = $sql[$i];\n }\n if(!empty($sql)) {\n $ret[] = $sql;\n }\n return($ret);\n}", "function PMA_splitSqlFile(&$ret, $sql, $release)\r\n{\r\n $sql = trim($sql);\r\n $sql_len = strlen($sql);\r\n $char = '';\r\n $string_start = '';\r\n $in_string = FALSE;\r\n $time0 = time();\r\n\r\n for ($i = 0; $i < $sql_len; ++$i) {\r\n $char = $sql[$i];\r\n\r\n // We are in a string, check for not escaped end of strings except for\r\n // backquotes that can't be escaped\r\n if ($in_string) {\r\n for (;;) {\r\n $i = strpos($sql, $string_start, $i);\r\n // No end of string found -> add the current substring to the\r\n // returned array\r\n if (!$i) {\r\n $ret[] = $sql;\r\n return TRUE;\r\n }\r\n // Backquotes or no backslashes before quotes: it's indeed the\r\n // end of the string -> exit the loop\r\n else if ($string_start == '`' || $sql[$i-1] != '\\\\') {\r\n $string_start = '';\r\n $in_string = FALSE;\r\n break;\r\n }\r\n // one or more Backslashes before the presumed end of string...\r\n else {\r\n // ... first checks for escaped backslashes\r\n $j = 2;\r\n $escaped_backslash = FALSE;\r\n while ($i-$j > 0 && $sql[$i-$j] == '\\\\') {\r\n $escaped_backslash = !$escaped_backslash;\r\n $j++;\r\n }\r\n // ... if escaped backslashes: it's really the end of the\r\n // string -> exit the loop\r\n if ($escaped_backslash) {\r\n $string_start = '';\r\n $in_string = FALSE;\r\n break;\r\n }\r\n // ... else loop\r\n else {\r\n $i++;\r\n }\r\n } // end if...elseif...else\r\n } // end for\r\n } // end if (in string)\r\n\r\n // We are not in a string, first check for delimiter...\r\n else if ($char == ';') {\r\n // if delimiter found, add the parsed part to the returned array\r\n $ret[] = substr($sql, 0, $i);\r\n $sql = ltrim(substr($sql, min($i + 1, $sql_len)));\r\n $sql_len = strlen($sql);\r\n if ($sql_len) {\r\n $i = -1;\r\n } else {\r\n // The submited statement(s) end(s) here\r\n return TRUE;\r\n }\r\n } // end else if (is delimiter)\r\n\r\n // ... then check for start of a string,...\r\n else if (($char == '\"') || ($char == '\\'') || ($char == '`')) {\r\n $in_string = TRUE;\r\n $string_start = $char;\r\n } // end else if (is start of string)\r\n\r\n // ... for start of a comment (and remove this comment if found)...\r\n else if ($char == '#'\r\n || ($char == ' ' && $i > 1 && $sql[$i-2] . $sql[$i-1] == '--')) {\r\n // starting position of the comment depends on the comment type\r\n $start_of_comment = (($sql[$i] == '#') ? $i : $i-2);\r\n // if no \"\\n\" exits in the remaining string, checks for \"\\r\"\r\n // (Mac eol style)\r\n $end_of_comment = (strpos(' ' . $sql, \"\\012\", $i+2))\r\n ? strpos(' ' . $sql, \"\\012\", $i+2)\r\n : strpos(' ' . $sql, \"\\015\", $i+2);\r\n if (!$end_of_comment) {\r\n // no eol found after '#', add the parsed part to the returned\r\n // array if required and exit\r\n if ($start_of_comment > 0) {\r\n $ret[] = trim(substr($sql, 0, $start_of_comment));\r\n }\r\n return TRUE;\r\n } else {\r\n $sql = substr($sql, 0, $start_of_comment)\r\n . ltrim(substr($sql, $end_of_comment));\r\n $sql_len = strlen($sql);\r\n $i--;\r\n } // end if...else\r\n } // end else if (is comment)\r\n\r\n // ... and finally disactivate the \"/*!...*/\" syntax if MySQL < 3.22.07\r\n else if ($release < 32270\r\n && ($char == '!' && $i > 1 && $sql[$i-2] . $sql[$i-1] == '/*')) {\r\n $sql[$i] = ' ';\r\n } // end else if\r\n\r\n // loic1: send a fake header each 30 sec. to bypass browser timeout\r\n $time1 = time();\r\n if ($time1 >= $time0 + 30) {\r\n $time0 = $time1;\r\n header('X-pmaPing: Pong');\r\n } // end if\r\n } // end for\r\n\r\n // add any rest to the returned array\r\n if (!empty($sql) && ereg('[^[:space:]]+', $sql)) {\r\n $ret[] = $sql;\r\n }\r\n\r\n return TRUE;\r\n}", "function split_sql($sql) {\n $sql = trim($sql);\n $sql = ereg_replace(\"\\n#[^\\n]*\\n\", \"\\n\", $sql);\n $buffer = array();\n $ret = array();\n $in_string = false;\n for($i=0; $i<strlen($sql)-1; $i++) {\n if($sql[$i] == \";\" && !$in_string) {\n $ret[] = substr($sql, 0, $i);\n $sql = substr($sql, $i + 1);\n $i = 0;\n }\n if($in_string && ($sql[$i] == $in_string) && $buffer[1] != \"\\\\\") {\n $in_string = false;\n }\n elseif(!$in_string && ($sql[$i] == '\"' || $sql[$i] == \"'\") && (!isset($buffer[0]) || $buffer[0] != \"\\\\\")) {\n $in_string = $sql[$i];\n }\n if(isset($buffer[1])) {\n $buffer[0] = $buffer[1];\n }\n $buffer[1] = $sql[$i];\n }\n if(!empty($sql)) {\n $ret[] = $sql;\n }\n return($ret);\n}", "function split_sql($sql) {\n\t$sql = trim($sql);\n\t$sql = preg_replace(\"|\\n#[^\\n]*\\n|\", \"\\n\", $sql);\n\t$buffer = array();\n\t$ret = array();\n\t$in_string = false;\n\tfor ($i = 0; $i < strlen($sql) - 1; $i++) {\n\t\tif ($sql[$i] == \";\" && !$in_string) {\n\t\t\t$ret[] = substr($sql, 0, $i);\n\t\t\t$sql = substr($sql, $i + 1);\n\t\t\t$i = 0;\n\t\t}\n\t\tif ($in_string && ($sql[$i] == $in_string) && $buffer[1] != \"\\\\\") {\n\t\t\t$in_string = false;\n\t\t} elseif (!$in_string && ($sql[$i] == '\"' || $sql[$i] == \"'\") && (!isset ($buffer[0]) || $buffer[0] != \"\\\\\")) {\n\t\t\t$in_string = $sql[$i];\n\t\t}\n\t\tif (isset ($buffer[1])) {\n\t\t\t$buffer[0] = $buffer[1];\n\t\t}\n\t\t$buffer[1] = $sql[$i];\n\t}\n\tif (!empty ($sql)) {\n\t\t$ret[] = $sql;\n\t}\n\treturn ($ret);\n}", "function PMA_splitSqlFile(&$ret, $sql, $release)\n{\n // do not trim, see bug #1030644\n //$sql = trim($sql);\n $sql = rtrim($sql, \"\\n\\r\");\n $sql_len = strlen($sql);\n $char = '';\n $string_start = '';\n $in_string = FALSE;\n $nothing = TRUE;\n $time0 = time();\n\n for ($i = 0; $i < $sql_len; ++$i) {\n $char = $sql[$i];\n\n // We are in a string, check for not escaped end of strings except for\n // backquotes that can't be escaped\n if ($in_string) {\n for (;;) {\n $i = strpos($sql, $string_start, $i);\n // No end of string found -> add the current substring to the\n // returned array\n if (!$i) {\n $ret[] = array('query' => $sql, 'empty' => $nothing);\n return TRUE;\n }\n // Backquotes or no backslashes before quotes: it's indeed the\n // end of the string -> exit the loop\n elseif ($string_start == '`' || $sql[$i-1] != '\\\\') {\n $string_start = '';\n $in_string = FALSE;\n break;\n }\n // one or more Backslashes before the presumed end of string...\n else {\n // ... first checks for escaped backslashes\n $j = 2;\n $escaped_backslash = FALSE;\n while ($i-$j > 0 && $sql[$i-$j] == '\\\\') {\n $escaped_backslash = !$escaped_backslash;\n $j++;\n }\n // ... if escaped backslashes: it's really the end of the\n // string -> exit the loop\n if ($escaped_backslash) {\n $string_start = '';\n $in_string = FALSE;\n break;\n }\n // ... else loop\n else {\n $i++;\n }\n } // end if...elseif...else\n } // end for\n } // end if (in string)\n\n // lets skip comments (/*, -- and #)\n elseif (($char == '-' && $sql_len > $i + 2 && $sql[$i + 1] == '-' && $sql[$i + 2] <= ' ') || $char == '#' || ($char == '/' && $sql_len > $i + 1 && $sql[$i + 1] == '*')) {\n $i = strpos($sql, $char == '/' ? '*/' : \"\\n\", $i);\n // didn't we hit end of string?\n if ($i === FALSE) {\n break;\n }\n if ($char == '/') {\n $i++;\n }\n }\n\n // We are not in a string, first check for delimiter...\n elseif ($char == ';') {\n // if delimiter found, add the parsed part to the returned array\n $ret[] = array('query' => substr($sql, 0, $i), 'empty' => $nothing);\n $nothing = TRUE;\n $sql = ltrim(substr($sql, min($i + 1, $sql_len)));\n $sql_len = strlen($sql);\n if ($sql_len) {\n $i = -1;\n } else {\n // The submited statement(s) end(s) here\n return TRUE;\n }\n } // end elseif (is delimiter)\n\n // ... then check for start of a string,...\n elseif (($char == '\"') || ($char == '\\'') || ($char == '`')) {\n $in_string = TRUE;\n $nothing = FALSE;\n $string_start = $char;\n } // end elseif (is start of string)\n\n elseif ($nothing) {\n $nothing = FALSE;\n }\n\n // loic1: send a fake header each 30 sec. to bypass browser timeout\n $time1 = time();\n if ($time1 >= $time0 + 30) {\n $time0 = $time1;\n header('X-pmaPing: Pong');\n } // end if\n } // end for\n\n // add any rest to the returned array\n if (!empty($sql) && preg_match('@[^[:space:]]+@', $sql)) {\n $ret[] = array('query' => $sql, 'empty' => $nothing);\n }\n\n return TRUE;\n}", "public function valid_table_avaiable($str) {\n $this->form_validation->set_message('valid_table_avaiable','The %s is not valid.');\n $tables = $this->db->list_tables();\n\n return in_array($str, $tables);\n }", "public function hasInitialSplits(){\n return $this->_has(4);\n }", "public function testSaveSplittedDatabases(){\n $this->instance->setFrom($this->getPathOfDatabases());\n\t\t$this->instance->split();\n $this->instance->save();\n $databases = array_keys($this->instance->getDatabases());\n foreach($databases as $database){\n $file = ''.$this->instance->getTo().$database.'.sql';\n $this->assertFileExists($file);\n @unlink($file);\n }\n }", "public static function get_valid_dbs() {\n $db_list = settings::get_metagenome_db_list();\n $db_files = explode(\",\", $db_list);\n\n $dbs = array();\n for ($i = 0; $i < count($db_files); $i++) {\n $dbs[$i] = $db_files[$i];\n }\n\n return $dbs;\n }", "private function split_sql($sql)\n {\n if (!is_string($sql)) {\n echo \"SQL:\\n\";\n print_r($sql);\n exit;\n }\n\n $sql = str_replace(array('\\\\\\'', '\\\\\"', \"\\r\\n\", \"\\n\", '()'), array(\"''\", '\"\"', ' ', ' ', ' '), $sql);\n $regex = <<<EOREGEX\n/(`(?:[^`]|``)`|[@A-Za-z0-9_.`-]+(?:\\(\\s*\\)){0,1})\n|(\\+|-|\\*|\\/|!=|>=|<=|<>|>|<|&&|\\|\\||=|\\^)\n|(\\(.*?\\)) # Match FUNCTION(...) OR BAREWORDS\n|('(?:[^']|'')*'+)\n|(\"(?:[^\"]|\"\")*\"+)\n|([^ ,]+)\n/ix\nEOREGEX;\n\n $tokens = preg_split($regex, $sql, -1, PREG_SPLIT_NO_EMPTY | PREG_SPLIT_DELIM_CAPTURE);\n $token_count = count($tokens);\n\n /* The above regex has one problem, because the parenthetical match is not greedy.\n Thus, when matching grouped expresions such as ( (a and b) or c) the\n tokenizer will produce \"( (a and b)\", \" \", \"or\", \" \" , \"c,\")\"\n\n This block detects the number of open/close parens in the given token. If the parens are balanced\n (balanced == 0) then we don't need to do anything.\n\n otherwise, we need to balance the expression.\n */\n $reset = false;\n for ($i = 0; $i < $token_count; ++$i) {\n if (empty($tokens[$i])) {\n continue;\n }\n\n $token = $tokens[$i];\n $trim = trim($token);\n if ($trim) {\n if ('(' != $trim[0] && ')' == substr($trim, -1)) {\n $trim = trim(substr($trim, 0, strpos($trim, '(')));\n }\n $tokens[$i] = $trim;\n $token = $trim;\n }\n\n if ($token && '(' == $token[0]) {\n $info = $this->count_paren($token);\n if (0 == $info['balanced']) {\n continue;\n }\n\n //we need to find this many closing parens\n $needed = abs($info['balanced']);\n $n = $i;\n while ($needed > 0 && $n < $token_count - 1) {\n ++$n;\n //echo \"LOOKING FORWARD TO $n [ \" . $tokens[$n] . \"]\\n\";\n $token2 = $tokens[$n];\n $info2 = $this->count_paren($token2);\n $closes = count($info2['close']);\n if ($closes != $needed) {\n $tokens[$i] .= $tokens[$n];\n unset($tokens[$n]);\n $reset = true;\n $info2 = $this->count_paren($tokens[$i]);\n $needed = abs($info2['balanced']);\n //\techo \"CLOSES LESS THAN NEEDED (still need $needed)\\n\";\n } else {\n /*get the string pos of the last close paren we need*/\n $pos = $info2['close'][count($info2['close']) - 1];\n $str1 = $str2 = '';\n if (0 == $pos) {\n $str1 = ')';\n } else {\n $str1 = substr($tokens[$n], 0, $pos).')';\n $str2 = substr($tokens[$n], $pos + 1);\n }\n //echo \"CLOSES FOUND AT $n, offset:$pos [$str1] [$str2]\\n\";\n if (strlen($str2) > 0) {\n $tokens[$n] = $str2;\n } else {\n unset($tokens[$n]);\n $reset = true;\n }\n $tokens[$i] .= $str1;\n $info2 = $this->count_paren($tokens[$i]);\n $needed = abs($info2['balanced']);\n }\n }\n }\n }\n\n //the same problem appears with backticks :(\n\n /* reset the array if we deleted any tokens above */\n if ($reset) {\n $tokens = array_values($tokens);\n }\n\n $token_count = count($tokens);\n for ($i = 0; $i < $token_count; ++$i) {\n if (empty($tokens[$i])) {\n continue;\n }\n $token = $tokens[$i];\n $needed = true;\n $reset = false;\n if ($needed && $token && false !== strpos($token, '`')) {\n $info = $this->count_backtick($token);\n if (0 == $info % 2) { //even number of backticks means we are balanced\n continue;\n }\n $needed = 1;\n\n $n = $i;\n while ($needed && $n < $token_count - 1) {\n $reset = true;\n //echo \"BACKTICK COUNT[$i]: $info old: {$tokens[$i]}, new: ($token)\\n\";\n ++$n;\n $token .= $tokens[$n];\n unset($tokens[$n]);\n $needed = $this->count_backtick($token) % 2;\n }\n }\n if ($reset) {\n $tokens[$i] = $token;\n }\n }\n /* reset the array if we deleted any tokens above */\n $tokens = array_values($tokens);\n\n return $tokens;\n }", "function importSQL($sql)\n {\n $sql = str_replace( '/*TABLE_PREFIX*/', DB_TABLE_PREFIX, $sql);\n $sql = preg_replace('#/\\*(?:[^*]*(?:\\*(?!/))*)*\\*/#','',($sql));\n $queries = $this->splitSQL($sql, ';');\n\n if( count($queries) == 0 ) {\n return false;\n }\n\n foreach($queries as $q) {\n $q = trim($q);\n if( !empty($q) ) {\n if( !$this->query($q) ) {\n return false;\n }\n }\n }\n\n return true;\n }", "function split_sql_file($sql, $delimiter)\n{\n // Split up our string into \"possible\" SQL statements.\n $tokens = explode($delimiter, $sql);\n\n // try to save mem.\n $sql = \"\";\n $output = array();\n\n // we don't actually care about the matches preg gives us.\n $matches = array();\n\n // this is faster than calling count($oktens) every time thru the loop.\n $token_count = count($tokens);\n for ($i = 0; $i < $token_count; $i++)\n {\n // Don't wanna add an empty string as the last thing in the array.\n if (($i != ($token_count - 1)) || (strlen($tokens[$i] > 0)))\n {\n // This is the total number of single quotes in the token.\n $total_quotes = preg_match_all(\"/'/\", $tokens[$i], $matches);\n // Counts single quotes that are preceded by an odd number of backslashes,\n // which means they're escaped quotes.\n $escaped_quotes = preg_match_all(\"/(?<!\\\\\\\\)(\\\\\\\\\\\\\\\\)*\\\\\\\\'/\", $tokens[$i], $matches);\n\n $unescaped_quotes = $total_quotes - $escaped_quotes;\n\n // If the number of unescaped quotes is even, then the delimiter did NOT occur inside a string literal.\n if (($unescaped_quotes % 2) == 0)\n {\n // It's a complete sql statement.\n $output[] = $tokens[$i];\n // save memory.\n $tokens[$i] = \"\";\n }\n else\n {\n // incomplete sql statement. keep adding tokens until we have a complete one.\n // $temp will hold what we have so far.\n $temp = $tokens[$i] . $delimiter;\n // save memory..\n $tokens[$i] = \"\";\n\n // Do we have a complete statement yet?\n $complete_stmt = false;\n\n for ($j = $i + 1; (!$complete_stmt && ($j < $token_count)); $j++)\n {\n // This is the total number of single quotes in the token.\n $total_quotes = preg_match_all(\"/'/\", $tokens[$j], $matches);\n // Counts single quotes that are preceded by an odd number of backslashes,\n // which means they're escaped quotes.\n $escaped_quotes = preg_match_all(\"/(?<!\\\\\\\\)(\\\\\\\\\\\\\\\\)*\\\\\\\\'/\", $tokens[$j], $matches);\n\n $unescaped_quotes = $total_quotes - $escaped_quotes;\n\n if (($unescaped_quotes % 2) == 1)\n {\n // odd number of unescaped quotes. In combination with the previous incomplete\n // statement(s), we now have a complete statement. (2 odds always make an even)\n $output[] = $temp . $tokens[$j];\n\n // save memory.\n $tokens[$j] = \"\";\n $temp = \"\";\n\n // exit the loop.\n $complete_stmt = true;\n // make sure the outer loop continues at the right point.\n $i = $j;\n }\n else\n {\n // even number of unescaped quotes. We still don't have a complete statement.\n // (1 odd and 1 even always make an odd)\n $temp .= $tokens[$j] . $delimiter;\n // save memory.\n $tokens[$j] = \"\";\n }\n\n } // for..\n } // else\n }\n }\n\n return $output;\n}", "abstract public function __construct($connectionString, $migratorName, $validateTables);", "private function database_is_valid()\n {\n try {\n $result = $this->db->query('SELECT version FROM db_version');\n if(!$result)\n return false;\n\n //check if our current version matches\n $versionArray = $result->fetch();\n if(sizeof($versionArray) < 1)\n return false;\n\n if($versionArray[0] != self::DB_VERSION)\n return false;\n\n // dummy query to test each table\n foreach($this->db_structure as $table_name => &$tables_def) {\n $testQuery = \"SELECT \";\n $first = true;\n foreach($tables_def as $column => $type) {\n //do not add a comma before the first column\n if(!$first)\n $testQuery .= ',';\n else\n $first = false;\n\n $testQuery .= '`'.$column.'`';\n }\n $testQuery .= \" FROM \".$table_name.\" LIMIT 1\";\n $result = $this->db->query($testQuery);\n if(!$result)\n return false;\n }\n } catch (Exception $e) {\n //something went wrong\n return false;\n }\n\n //all ok\n return true;\n }", "public static function isInsideDbList() {\n\t\t$s_scriptName = t3lib_div::getIndpEnv('SCRIPT_NAME');\n\t\t$i_pathLenght = strlen($s_scriptName);\n\t\tif(substr($s_scriptName,$i_pathLength-11) == 'db_list.php') return true;\n\t\treturn false;\n\t}", "public function check_is_same_db() {\n\t\treturn isset($this->options['separate_db'])?(bool)$this->options['separate_db']: false;\n\t}", "protected static function isTableName( $str ) {\n\t\t\treturn is_string( $str ) && preg_match( '/^[a-zA-Z0-9_]([a-zA-Z0-9_]+)((\\\\.[a-zA-Z0-9_]([a-zA-Z0-9_]+))+)?$/', $str );\n\t\t}", "private function splitSQL($sql, $explodeChars)\n {\n if (preg_match('|^(.*)DELIMITER (\\S+)\\s(.*)$|isU', $sql, $matches)) {\n $queries = explode($explodeChars, $matches[1]);\n $recursive = $this->splitSQL($matches[3], $matches[2]);\n\n return array_merge($queries, $recursive);\n }\n else {\n return explode($explodeChars, $sql);\n }\n }", "private function split_sql_file($sql, $delimiter) {\n // Split up our string into \"possible\" SQL statements.\n $tokens = explode($delimiter, $sql);\n\n // try to save mem.\n $sql = \"\";\n $output = array();\n\n // we don't actually care about the matches preg gives us.\n $matches = array();\n\n // this is faster than calling count($oktens) every time thru the loop.\n $token_count = count($tokens);\n for ($i = 0; $i < $token_count; $i++) {\n // Don't wanna add an empty string as the last thing in the array.\n if (($i != ($token_count - 1)) || (strlen($tokens[$i] > 0))) {\n // This is the total number of single quotes in the token.\n $total_quotes = preg_match_all(\"/'/\", $tokens[$i], $matches);\n // Counts single quotes that are preceded by an odd number of backslashes,\n // which means they're escaped quotes.\n $escaped_quotes = preg_match_all(\"/(?<!\\\\\\\\)(\\\\\\\\\\\\\\\\)*\\\\\\\\'/\", $tokens[$i], $matches);\n\n $unescaped_quotes = $total_quotes - $escaped_quotes;\n\n // If the number of unescaped quotes is even, then the delimiter did NOT occur inside a string literal.\n if (($unescaped_quotes % 2) == 0) {\n // It's a complete sql statement.\n $output[] = $tokens[$i];\n // save memory.\n $tokens[$i] = \"\";\n } else {\n // incomplete sql statement. keep adding tokens until we have a complete one.\n // $temp will hold what we have so far.\n $temp = $tokens[$i] . $delimiter;\n // save memory..\n $tokens[$i] = \"\";\n\n // Do we have a complete statement yet?\n $complete_stmt = false;\n\n for ($j = $i + 1; (!$complete_stmt && ($j < $token_count)); $j++) {\n // This is the total number of single quotes in the token.\n $total_quotes = preg_match_all(\"/'/\", $tokens[$j], $matches);\n // Counts single quotes that are preceded by an odd number of backslashes,\n // which means they're escaped quotes.\n $escaped_quotes = preg_match_all(\"/(?<!\\\\\\\\)(\\\\\\\\\\\\\\\\)*\\\\\\\\'/\", $tokens[$j], $matches);\n\n $unescaped_quotes = $total_quotes - $escaped_quotes;\n\n if (($unescaped_quotes % 2) == 1) {\n // odd number of unescaped quotes. In combination with the previous incomplete\n // statement(s), we now have a complete statement. (2 odds always make an even)\n $output[] = $temp . $tokens[$j];\n\n // save memory.\n $tokens[$j] = \"\";\n $temp = \"\";\n\n // exit the loop.\n $complete_stmt = true;\n // make sure the outer loop continues at the right point.\n $i = $j;\n } else {\n // even number of unescaped quotes. We still don't have a complete statement.\n // (1 odd and 1 even always make an odd)\n $temp .= $tokens[$j] . $delimiter;\n // save memory.\n $tokens[$j] = \"\";\n }\n } // for..\n } // else\n }\n }\n\n return $output;\n }", "private function split_sql_file($sql, $delimiter) {\n // Split up our string into \"possible\" SQL statements.\n $tokens = explode($delimiter, $sql);\n\n // try to save mem.\n $sql = \"\";\n $output = array();\n\n // we don't actually care about the matches preg gives us.\n $matches = array();\n\n // this is faster than calling count($oktens) every time thru the loop.\n $token_count = count($tokens);\n for ($i = 0; $i < $token_count; $i++) {\n // Don't wanna add an empty string as the last thing in the array.\n if (($i != ($token_count - 1)) || (strlen($tokens[$i] > 0))) {\n // This is the total number of single quotes in the token.\n $total_quotes = preg_match_all(\"/'/\", $tokens[$i], $matches);\n // Counts single quotes that are preceded by an odd number of backslashes,\n // which means they're escaped quotes.\n $escaped_quotes = preg_match_all(\"/(?<!\\\\\\\\)(\\\\\\\\\\\\\\\\)*\\\\\\\\'/\", $tokens[$i], $matches);\n\n $unescaped_quotes = $total_quotes - $escaped_quotes;\n\n // If the number of unescaped quotes is even, then the delimiter did NOT occur inside a string literal.\n if (($unescaped_quotes % 2) == 0) {\n // It's a complete sql statement.\n $output[] = $tokens[$i];\n // save memory.\n $tokens[$i] = \"\";\n } else {\n // incomplete sql statement. keep adding tokens until we have a complete one.\n // $temp will hold what we have so far.\n $temp = $tokens[$i] . $delimiter;\n // save memory..\n $tokens[$i] = \"\";\n\n // Do we have a complete statement yet?\n $complete_stmt = false;\n\n for ($j = $i + 1; (!$complete_stmt && ($j < $token_count)); $j++) {\n // This is the total number of single quotes in the token.\n $total_quotes = preg_match_all(\"/'/\", $tokens[$j], $matches);\n // Counts single quotes that are preceded by an odd number of backslashes,\n // which means they're escaped quotes.\n $escaped_quotes = preg_match_all(\"/(?<!\\\\\\\\)(\\\\\\\\\\\\\\\\)*\\\\\\\\'/\", $tokens[$j], $matches);\n\n $unescaped_quotes = $total_quotes - $escaped_quotes;\n\n if (($unescaped_quotes % 2) == 1) {\n // odd number of unescaped quotes. In combination with the previous incomplete\n // statement(s), we now have a complete statement. (2 odds always make an even)\n $output[] = $temp . $tokens[$j];\n\n // save memory.\n $tokens[$j] = \"\";\n $temp = \"\";\n\n // exit the loop.\n $complete_stmt = true;\n // make sure the outer loop continues at the right point.\n $i = $j;\n } else {\n // even number of unescaped quotes. We still don't have a complete statement.\n // (1 odd and 1 even always make an odd)\n $temp .= $tokens[$j] . $delimiter;\n // save memory.\n $tokens[$j] = \"\";\n }\n } // for..\n } // else\n }\n }\n\n return $output;\n }", "protected function sqlStringCheck($obj, $control = '(SELECT|SHOW)')\r\n {\r\n // STRING\r\n if (is_string($obj) == true) {\r\n $obj = trim($obj);\r\n\r\n if (! preg_match(\"/^$control/i\", $obj)) {\r\n $this->addToLog(__METHOD__, 'ERROR: sql query string is not an ' . $control . ' statement');\r\n return false;\r\n }\r\n } elseif (is_array($obj) == true) {\r\n $this->addToLog(__METHOD__, 'ERROR: sql query string is a table, attempted as a string');\r\n return false;\r\n } else {\r\n $this->addToLog(__METHOD__, 'ERROR: sql object is not recognized as a string or table_data');\r\n return false;\r\n }\r\n //\r\n return true;\r\n }", "public function testSaveDumpOfSplittedDatabases(){\n $this->instance->setFrom($this->getPathOfDatabases());\n\t\t$this->instance->split();\n $this->instance->saveJoin();\n $databases = array_keys($this->instance->getDatabases());\n $file = ''.$this->instance->getTo().'dump.sql';\n $this->assertFileExists($file);\n @unlink($file);\n }", "private function createSchema()\n {\n $boolSchemaExists = false;\n $sql = '';\n\n try {\n $this->connect();\n\n if (empty($this->strSchema)) {\n $this->strSchema = $this->strMySqlDbName;\n\n for ($i = 1; true; $i++) {\n $sql = \"SELECT schema_name FROM information_schema.schemata \"\n . \"WHERE schema_name = '\" . $this->strSchema . \"';\";\n\n $stmt = $this->pgsql->query($sql);\n $arrSchemas = $stmt->fetchAll(\\PDO::FETCH_ASSOC);\n\n if (empty($arrSchemas)) {\n unset($sql, $arrSchemas, $stmt);\n break;\n } elseif (1 == $i) {\n $this->strSchema .= '_' . $i;\n unset($sql, $arrSchemas, $stmt);\n } else {\n $arrSchema = explode('_', $this->strSchema);\n $arrSchema[count($arrSchema) - 1] = $i;\n $this->strSchema = implode('_', $arrSchema);\n unset($sql, $arrSchemas, $stmt, $arrSchema);\n }\n }\n\n } else {\n $sql = \"SELECT schema_name FROM information_schema.schemata \"\n . \"WHERE schema_name = '\" . $this->strSchema . \"';\";\n\n $stmt = $this->pgsql->query($sql);\n $arrSchemas = $stmt->fetchAll(\\PDO::FETCH_ASSOC);\n $boolSchemaExists = !empty($arrSchemas);\n unset($sql, $arrSchemas, $stmt);\n }\n\n if (!$boolSchemaExists) {\n $sql = 'CREATE SCHEMA \"' . $this->strSchema . '\";';\n $stmt = $this->pgsql->query($sql);\n unset($sql, $stmt);\n }\n\n $boolRetVal = true;\n\n } catch (\\PDOException $e) {\n $boolRetVal = false;\n $this->generateError(\n $e,\n __METHOD__ . PHP_EOL . \"\\t\" . '-- Cannot create a new schema...',\n $sql\n );\n }\n\n return $boolRetVal;\n }", "function testRetrieveSQLSchemaThatEachResultStartsWithCREATE() {\n\t\t$this->_dynamicDBStub->expects($this->once())\n\t\t\t->method('getSchemas')\n\t\t\t->will($this->returnValue(array('CREATE TABLE blah','CREATE TABLE blah2')));\n\t\t$result = $this->_dynamicDBStub->getSchemas();\n\t\tforeach ($result as $stmt) {\n\t\t\t$this->assertContains('CREATE', $stmt);\n\t\t}\n\t}", "private static function validaQuery($sql) {\n $crud = explode(' ', $sql);\n $crud = strtoupper($crud[0]);\n \n if (in_array($crud, static::$crud)) {\n static::$tipoSql = $crud;\n return true;\n }\n return false;\n }", "public static function splitSql($query)\n\t{\n\t\t$start = 0;\n\t\t$open = false;\n\t\t$char = '';\n\t\t$end = strlen($query);\n\t\t$queries = [];\n\n\t\tfor ($i = 0; $i < $end; $i++)\n\t\t{\n\t\t\t$current = substr($query, $i, 1);\n\t\t\tif (($current == '\"' || $current == '\\''))\n\t\t\t{\n\t\t\t\t$n = 2;\n\n\t\t\t\twhile (substr($query, $i - $n + 1, 1) == '\\\\' && $n < $i)\n\t\t\t\t{\n\t\t\t\t\t$n++;\n\t\t\t\t}\n\n\t\t\t\tif ($n % 2 == 0)\n\t\t\t\t{\n\t\t\t\t\tif ($open)\n\t\t\t\t\t{\n\t\t\t\t\t\tif ($current == $char)\n\t\t\t\t\t\t{\n\t\t\t\t\t\t\t$open = false;\n\t\t\t\t\t\t\t$char = '';\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t\telse\n\t\t\t\t\t{\n\t\t\t\t\t\t$open = true;\n\t\t\t\t\t\t$char = $current;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tif (($current == ';' && !$open) || $i == $end - 1)\n\t\t\t{\n\t\t\t\t$queries[] = substr($query, $start, ($i - $start + 1));\n\t\t\t\t$start = $i + 1;\n\t\t\t}\n\t\t}\n\n\t\treturn $queries;\n\t}" ]
[ "0.5920822", "0.5640252", "0.55872774", "0.5571428", "0.55150354", "0.54573685", "0.5445757", "0.53768677", "0.53615826", "0.53125817", "0.5286685", "0.5280267", "0.52647185", "0.52182937", "0.51728296", "0.5115216", "0.5111984", "0.5111289", "0.507806", "0.50753623", "0.50012285", "0.49972746", "0.49919164", "0.49919164", "0.496916", "0.49419153", "0.4926533", "0.49241382", "0.49001074", "0.4853879" ]
0.64659125
0
This method check if SQlSplitter can be generate single databases from a file.
public function testSplitSingleDatabaseFromAFile() { $this->instance->setFrom($this->getPathOfDatabase()); $this->instance->split(); $databases = array_keys($this->instance->getDatabases()); $this->assertEquals('dbalone', $databases[0]); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function testSplitMultipleDatabasesFromAFile()\n {\n $this->instance->setFrom($this->getPathOfDatabases());\n\t\t$this->instance->split();\n $databases = array_keys($this->instance->getDatabases());\n $this->assertEquals('university', $databases[0]);\n $this->assertEquals('student', $databases[1]);\n $this->assertEquals('exam', $databases[2]);\n }", "public function check_is_same_db() {\n\t\treturn isset($this->options['separate_db'])?(bool)$this->options['separate_db']: false;\n\t}", "public function testSaveSplittedDatabases(){\n $this->instance->setFrom($this->getPathOfDatabases());\n\t\t$this->instance->split();\n $this->instance->save();\n $databases = array_keys($this->instance->getDatabases());\n foreach($databases as $database){\n $file = ''.$this->instance->getTo().$database.'.sql';\n $this->assertFileExists($file);\n @unlink($file);\n }\n }", "public function testSplitMultipleDatabasesFromAStringData(){\n $this->instance->setData(file_get_contents($this->getPathOfDatabases()));\n\t\t$this->instance->split();\n $databases = array_keys($this->instance->getDatabases());\n $this->assertEquals('university', $databases[0]);\n $this->assertEquals('student', $databases[1]);\n $this->assertEquals('exam', $databases[2]);\n }", "public static function get_valid_dbs() {\n $db_list = settings::get_metagenome_db_list();\n $db_files = explode(\",\", $db_list);\n\n $dbs = array();\n for ($i = 0; $i < count($db_files); $i++) {\n $dbs[$i] = $db_files[$i];\n }\n\n return $dbs;\n }", "public static function checkDB($name){\nif(!(\\Storage::disk('masterDB')->exists($name))){\nnew \\SQLite3(database_path('master').DS.$name);\n}\n}", "public function is_valid_db() {\n if ($this->dbcount > 0) {\n return true;\n } else {\n return false;\n }\n }", "function has_database_file($path) {\n $db = $path . DIRECTORY_SEPARATOR . 'derbynet.sqlite3';\n if (file_exists($db) && is_readable($db)) {\n return $db;\n }\n \n $db = $path . DIRECTORY_SEPARATOR . basename($path) . '.sqlite3';\n // This insists that the database name exactly match the immediate directory\n // name.\n if (file_exists($db) && is_readable($db)) {\n return $db;\n }\n return false;\n}", "protected static function cmsDatabase()\n {\n $db = Yii::$app->db;\n\n $filename = static::getDirname() . '/schema/' . $db->driverName . '.sql';\n $content = @file_get_contents($filename);\n if ($content === false) {\n return;\n }\n\n foreach (explode(';', $content) as $s) {\n if (trim($s) !== '') {\n $db->createCommand($s)->execute();\n }\n }\n }", "private function database_is_valid()\n {\n try {\n $result = $this->db->query('SELECT version FROM db_version');\n if(!$result)\n return false;\n\n //check if our current version matches\n $versionArray = $result->fetch();\n if(sizeof($versionArray) < 1)\n return false;\n\n if($versionArray[0] != self::DB_VERSION)\n return false;\n\n // dummy query to test each table\n foreach($this->db_structure as $table_name => &$tables_def) {\n $testQuery = \"SELECT \";\n $first = true;\n foreach($tables_def as $column => $type) {\n //do not add a comma before the first column\n if(!$first)\n $testQuery .= ',';\n else\n $first = false;\n\n $testQuery .= '`'.$column.'`';\n }\n $testQuery .= \" FROM \".$table_name.\" LIMIT 1\";\n $result = $this->db->query($testQuery);\n if(!$result)\n return false;\n }\n } catch (Exception $e) {\n //something went wrong\n return false;\n }\n\n //all ok\n return true;\n }", "public function isDbSetup(){\n\t\t\n\t\t$schema = $this->conn->getSchemaManager();\n\n\t\tforeach ($this->tables as $table){\n\n\t\t\tif ( !$schema->tablesExist($table) )\n\t\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t}", "public function testSaveDumpOfSplittedDatabases(){\n $this->instance->setFrom($this->getPathOfDatabases());\n\t\t$this->instance->split();\n $this->instance->saveJoin();\n $databases = array_keys($this->instance->getDatabases());\n $file = ''.$this->instance->getTo().'dump.sql';\n $this->assertFileExists($file);\n @unlink($file);\n }", "private function isDatabaseExists()\n {\n return file_exists($this->getDatabasePath());\n }", "public static function isInsideDbList() {\n\t\t$s_scriptName = t3lib_div::getIndpEnv('SCRIPT_NAME');\n\t\t$i_pathLenght = strlen($s_scriptName);\n\t\tif(substr($s_scriptName,$i_pathLength-11) == 'db_list.php') return true;\n\t\treturn false;\n\t}", "private function loadStructureToMigrate()\n {\n $boolRetVal = false;\n $sql = '';\n\n try {\n $this->connect();\n $sql = 'SHOW FULL TABLES IN `' . $this->strMySqlDbName . '`;';\n $stmt = $this->mysql->query($sql);\n $arrResult = $stmt->fetchAll(\\PDO::FETCH_ASSOC);\n\n foreach ($arrResult as $arrRow) {\n if ('BASE TABLE' == $arrRow['Table_type']) {\n $this->arrTablesToMigrate[] = $arrRow;\n } elseif ('VIEW' == $arrRow['Table_type']) {\n $this->arrViewsToMigrate[] = $arrRow;\n }\n unset($arrRow);\n }\n\n $boolRetVal = true;\n unset($sql, $stmt, $arrResult);\n\n } catch (\\PDOException $e) {\n $this->generateError(\n $e,\n __METHOD__ . PHP_EOL . \"\\t\" . '-- Cannot load tables/views from source (MySql) database...',\n $sql\n );\n }\n return $boolRetVal;\n }", "public function checkDbUsage()\n {\n if (!parent::checkDbUsage()) {\n return $this->checkS3Usage();\n }\n return $this->_useDb;\n }", "protected function isRestoreMigrationDataRequired(): bool\n {\n foreach ($this->getDatabases() as $db) {\n $table = $db->table($this->config->getTable());\n\n if (\n $table->select('id')\n ->where(['created_at' => null])\n ->count() > 0\n ) {\n return true;\n }\n }\n\n return false;\n }", "protected function loadDatabaseSchema() {\n $database = $this->createDatabaseInstance();\n $schemaReader = new SchemaReader($database);\n $schemas = $schemaReader->load();\n if (is_null($this->config->getSchemaListToGenerate())) {\n $this->schemas = $schemas;\n } else {\n foreach ($this->config->getSchemaListToGenerate() as $name) {\n if (isset($schemas[$name])) {\n $this->schemas[$name] = $schemas[$name];\n } else {\n $this->output->writeln(\"<error>There is no [{$name}] schema in this database.</error>\");\n }\n }\n }\n if (!isset($this->schemas['public'])) {\n $this->output->writeln(\"<warn>WARNING: The [public] schema from your database was not selected!</warn>\");\n }\n return true;\n }", "protected function checkDB() {\n }", "abstract public function importDatabase($dbHandle, $file);", "private function checkDatabaseFile()\n {\n if ($this->isDatabaseExists()) return;\n\n $pathinfo = pathinfo($path = $this->getDatabasePath());\n\n if ( ! file_exists($pathinfo['dirname'])) {\n mkdir($pathinfo['dirname'], 0777, true);\n }\n\n copy(realpath(__DIR__ . '/../../data/geoip.mmdb'), $path);\n }", "public static function sourceSqlFile( &$db, $fileName )\n {\n if ( !file_exists($fileName) )\n return true;\n\n $output = null;\n $script = file_get_contents($fileName);\n $queries = preg_split( \"/;\\n/\", $script );\n foreach( $queries as $q )\n {\n if ( !trim($q) )\n continue;\n\n echo \"<blockquote>$q;</blockquote>\\n\";\n\n $rs = $db->query($q);\n if ( !$rs )\n {\n echo \"<p><strong>Error</strong>: <tt>\". mysql_error($db->dbh()). \"</tt>.</p>\";\n return true;\n }\n }\n return false;\n }", "function splitSQLFile() {\n\t\tif (!function_exists('splitFiles')) {\n\t\t\t$this->load->helper('sql');\n\t\t}\n\t\t$mess = \"No filename provided.\";\n\t\t$filename = $this->uri->segment(5);\n $delete = $this->uri->segment(6);\n\t\t$delete = ((isset($delete) && $delete == 1) ? true : false);\n\t\t\n if (isset($filename) && !empty($filename)) {\n\t\t\t$settings = $this->settings_lib->find_all();\n\t\t\t$mess = splitFiles($settings['osp.sql_path'],$filename, $delete, $settings['osp.max_sql_size'],$settings['osp.sql_timeout']);\n\t\t}\n\t\tif ($mess != \"OK\") {\n\t\t\tTemplate::set_message(\"error:\".$mess,'error');\n\t\t} else {\n Template::set_message(\"File successfully split\",'success');\n\t\t}\n $this->load_sql();\n\t}", "public function hasDb(): bool;", "private static function selectDatabaseIfNecessary() {\n\t\t\n\t\tif (strcasecmp(DatabaseManager::$lastDatabaseSelected, SystemDatabaseManager::$dbName) != 0) {\n\t\t\t\n\t\t\tif (DatabaseManager::selectDatabase(SystemDatabaseManager::$dbName, SystemDatabaseManager::$instance->connection)) {\n\t\t\t\tDatabaseManager::$lastDatabaseSelected = SystemDatabaseManager::$dbName;\n\t\t\t}\n\t\t\telse {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t}\n\t\t\n\t\treturn true;\n\t}", "public function testAcceptLargeArguments()\n {\n $argv = [\n 'input' => $this->getPathOfDatabase(),\n 'output' => $this->getPathOfOutputDatabases(),\n 'prefix' => 'test',\n 'stream' => true,\n 'join' => true,\n 'logs' => true\n ];\n $this->getInstanceOutput($argv);\n $file = $this->getPathOfOutputDatabases().'test_dbalone.sql';\n $this->assertFileExists($file);\n @unlink($file);\n @unlink($this->getPathOfOutputDatabases().'test_dump.sql');\n }", "protected static function loadSchema() : bool\n {\n return true;\n }", "function _processSQLfile($filename)\n {\n $file_content = file($filename);\n $query = \"\";\n foreach($file_content as $sql_line)\n {\n $tsl = trim($sql_line);\n if (($sql_line != \"\") && (substr($tsl, 0, 2) != \"--\") && (substr($tsl, 0, 1) != \"#\"))\n {\n $query .= $sql_line;\n if(preg_match(\"/;\\s*$/\", $sql_line))\n {\n // We need to remove only the last semicolon\n $pos = strrpos($query,\";\");\n if($pos !== false)\n {\n $query = substr($query,0,$pos).substr($query,$pos+1);\n }\n\n $result = pdo_query($query);\n if (!$result)\n {\n $xml .= \"<db_created>0</db_created>\";\n die(pdo_error());\n }\n $query = \"\";\n }\n }\n } // end for each line\n }", "function checkDB($dbname=null){\n if(!$dbname){\n return false;\n }\n $dbname = preg_replace(\"/[^A-Za-z0-9' -]/\", '', $dbname);\n /**\n * if db dir is not in project folder will be create.\n */\n if(!file_exists($this->dbDir)){\n mkdir($this->dbDir, 0777);\n }\n if($dbname===null){\n return true;\n }\n\n $dbnameHashed=$this->hashDBName($dbname);\n $fullDBPath=$this->dbDir.$dbnameHashed.\"-\".$dbname.\".nonedb\";\n /**\n * check db is in db folder?\n */\n if(file_exists($fullDBPath)){\n return true;\n }\n\n /**\n * if auto create db is true will be create db.\n */\n if($this->autoCreateDB){\n return $this->createDB($dbname);\n }\n return false;\n }", "private function checkDatabase() {\n $this->pdo->query(\"CREATE DATABASE IF NOT EXISTS $this->database\");\n $this->pdo->query(\"USE $this->database\");\n }" ]
[ "0.6393968", "0.5908182", "0.57322645", "0.56504667", "0.5595966", "0.55603117", "0.5556447", "0.555411", "0.55438185", "0.55030775", "0.54911", "0.5476164", "0.5459963", "0.5447411", "0.5427634", "0.53884155", "0.53874356", "0.53678966", "0.53435934", "0.5336997", "0.533523", "0.53320456", "0.5320915", "0.53203297", "0.5312614", "0.5308856", "0.5301676", "0.52965826", "0.5296395", "0.5290025" ]
0.6797738
0
This method check if SQlSplitter can be save the splitted databases into the output folder.
public function testSaveSplittedDatabases(){ $this->instance->setFrom($this->getPathOfDatabases()); $this->instance->split(); $this->instance->save(); $databases = array_keys($this->instance->getDatabases()); foreach($databases as $database){ $file = ''.$this->instance->getTo().$database.'.sql'; $this->assertFileExists($file); @unlink($file); } }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function testSaveDumpOfSplittedDatabases(){\n $this->instance->setFrom($this->getPathOfDatabases());\n\t\t$this->instance->split();\n $this->instance->saveJoin();\n $databases = array_keys($this->instance->getDatabases());\n $file = ''.$this->instance->getTo().'dump.sql';\n $this->assertFileExists($file);\n @unlink($file);\n }", "public function testSplitMultipleDatabasesFromAFile()\n {\n $this->instance->setFrom($this->getPathOfDatabases());\n\t\t$this->instance->split();\n $databases = array_keys($this->instance->getDatabases());\n $this->assertEquals('university', $databases[0]);\n $this->assertEquals('student', $databases[1]);\n $this->assertEquals('exam', $databases[2]);\n }", "public function testSplitSingleDatabaseFromAFile()\n {\n $this->instance->setFrom($this->getPathOfDatabase());\n\t\t$this->instance->split();\n $databases = array_keys($this->instance->getDatabases());\n $this->assertEquals('dbalone', $databases[0]);\n }", "function splitSQLFile() {\n\t\tif (!function_exists('splitFiles')) {\n\t\t\t$this->load->helper('sql');\n\t\t}\n\t\t$mess = \"No filename provided.\";\n\t\t$filename = $this->uri->segment(5);\n $delete = $this->uri->segment(6);\n\t\t$delete = ((isset($delete) && $delete == 1) ? true : false);\n\t\t\n if (isset($filename) && !empty($filename)) {\n\t\t\t$settings = $this->settings_lib->find_all();\n\t\t\t$mess = splitFiles($settings['osp.sql_path'],$filename, $delete, $settings['osp.max_sql_size'],$settings['osp.sql_timeout']);\n\t\t}\n\t\tif ($mess != \"OK\") {\n\t\t\tTemplate::set_message(\"error:\".$mess,'error');\n\t\t} else {\n Template::set_message(\"File successfully split\",'success');\n\t\t}\n $this->load_sql();\n\t}", "public function check_is_same_db() {\n\t\treturn isset($this->options['separate_db'])?(bool)$this->options['separate_db']: false;\n\t}", "private function checkDatabaseFile()\n {\n if ($this->isDatabaseExists()) return;\n\n $pathinfo = pathinfo($path = $this->getDatabasePath());\n\n if ( ! file_exists($pathinfo['dirname'])) {\n mkdir($pathinfo['dirname'], 0777, true);\n }\n\n copy(realpath(__DIR__ . '/../../data/geoip.mmdb'), $path);\n }", "public function hasSavePath()\n {\n return strlen($this->_savePath) > 0;\n }", "public function testSplitMultipleDatabasesFromAStringData(){\n $this->instance->setData(file_get_contents($this->getPathOfDatabases()));\n\t\t$this->instance->split();\n $databases = array_keys($this->instance->getDatabases());\n $this->assertEquals('university', $databases[0]);\n $this->assertEquals('student', $databases[1]);\n $this->assertEquals('exam', $databases[2]);\n }", "private function loadStructureToMigrate()\n {\n $boolRetVal = false;\n $sql = '';\n\n try {\n $this->connect();\n $sql = 'SHOW FULL TABLES IN `' . $this->strMySqlDbName . '`;';\n $stmt = $this->mysql->query($sql);\n $arrResult = $stmt->fetchAll(\\PDO::FETCH_ASSOC);\n\n foreach ($arrResult as $arrRow) {\n if ('BASE TABLE' == $arrRow['Table_type']) {\n $this->arrTablesToMigrate[] = $arrRow;\n } elseif ('VIEW' == $arrRow['Table_type']) {\n $this->arrViewsToMigrate[] = $arrRow;\n }\n unset($arrRow);\n }\n\n $boolRetVal = true;\n unset($sql, $stmt, $arrResult);\n\n } catch (\\PDOException $e) {\n $this->generateError(\n $e,\n __METHOD__ . PHP_EOL . \"\\t\" . '-- Cannot load tables/views from source (MySql) database...',\n $sql\n );\n }\n return $boolRetVal;\n }", "protected function shouldMigrate()\n {\n return Compass::$runsMigrations && config('compass.driver') === 'database';\n }", "public function preparationNotCompleted(): bool\n {\n $this->output->error('Unable to migrate database');\n\n return false;\n }", "protected function validate() {\n if ($valid = parent::validate()) {\n $valid = isset($this->options['db_store_path']);\n }\n return $valid;\n }", "public function preparationCompleted(): bool\n {\n $this->output->success('Database migrated');\n\n return true;\n }", "public function backupImport()\n {\n DB::statement('DROP TABLE IF EXISTS ecom_products');\n\n DB::statement('CREATE TABLE ecom_products LIKE ecom_products_copy');\n\n DB::statement('INSERT INTO ecom_products SELECT * FROM ecom_products_copy');\n\n return true;\n }", "private function check_for_save()\n\t{\n\t\t$ok = TRUE;\n\t\t$ok = ($ok AND (strlen($this->main_table['title']) > 0));\n\t\t// $ok = ($ok AND (strrpos($this->main_table['title'], '-') === FALSE));\n\n\t\treturn $ok;\n\t}", "private static function q101()\n\t{\n\t\t$stock_dirs = AEPlatform::get_stock_directories();\n\n\t\t// Get output writable status\n\t\t$registry =& AEFactory::getConfiguration();\n\t\t$outdir = $registry->get('akeeba.basic.output_directory');\n\t\tforeach( $stock_dirs as $macro => $replacement )\n\t\t{\n\t\t\t$outdir = str_replace($macro, $replacement, $outdir);\n\t\t}\n\t\treturn self::checkOpenBasedirs($outdir);\n\t}", "public function backup()\n {\n $filename = 'dbbackup_' . date(\"dmY\") . '.sql';\n $filess = __DIR__ . '/../../backup/' . $filename;\n\n $tables = array();\n $this->query(\"SET NAMES 'utf8'\");\n $tables = $this->query('SHOW TABLES');\n //Missatges::debugVar($tables);\n // Cycle through each provided table\n // Generate the filename for the sql file\n\n $handle = fopen($filess, 'w+');\n foreach ($tables as $t) {\n $table = $t['Tables_in_' . config::DB['name']];\n\n $result = $this->query('SELECT * FROM ' . $table);\n\n // First part of the output – remove the table\n $return = 'DROP TABLE IF EXISTS ' . $table . ';';\n fwrite($handle, $return);\n // Second part of the output – create table\n $row2 = $this->query('SHOW CREATE TABLE ' . $table);\n $ssql_create = $row2[0]['Create Table'];\n //Missatges::debugVar($ssql_create);\n\n $return = \"\\n\\n\" . $ssql_create . \";\\n\\n\";\n fwrite($handle, $return);\n\n //si no hi ha columnes botam a la seguent taula\n if (count($result) == 0) {\n break;\n }\n $num_fields = count($result[0]);\n\n // Third part of the output – insert values into new table\n foreach ($result as $row) {\n //Missatges::debugVar($row);\n $return = 'INSERT INTO ' . $table . ' VALUES(';\n fwrite($handle, $return);\n $j = 0;\n foreach ($row as $field) {\n $return = '';\n $field = addslashes($field);\n $field = preg_replace(\"#\\n#\", \"\\\\n\", $field);\n if (isset ($field)) {\n $return .= '\"' . $field . '\"';\n } else {\n $return .= '\"\"';\n }\n if ($j < ($num_fields - 1)) {\n $return .= ',';\n }\n fwrite($handle, $return);\n $j++;\n }\n fwrite($handle, \");\\n\");\n }\n fwrite($handle, $return);\n fwrite($handle, \"\\n\\n\\n\");\n }\n\n // Save the sql file\n fclose($handle);\n\n // Print the message\n return $filename;\n }", "private function check()\n\t{\n\t\tif (!file_exists($this->database))\n\t\t{\n\t\t\t$this->data = $this->populate();\n\t\t\tfile_put_contents($this->database, PHPPREFIX.base64_encode(gzdeflate(serialize($this->data))).PHPSUFFIX);\n\t\t}\n\t}", "public function exportThemeSql() {\n $ignore_insert_table = array(\n _DB_PREFIX_ . 'connections', _DB_PREFIX_ . 'connections_page', _DB_PREFIX_ . 'connections_source',\n _DB_PREFIX_ . 'guest', _DB_PREFIX_ . 'statssearch',\n _DB_PREFIX_ . 'sekeyword', _DB_PREFIX_ . 'favorite_product',\n _DB_PREFIX_ . 'pagenotfound', _DB_PREFIX_ . 'shop_url',\n _DB_PREFIX_ . 'employee', _DB_PREFIX_ . 'employee_shop',\n _DB_PREFIX_ . 'contact', _DB_PREFIX_ . 'contact_lang',\n _DB_PREFIX_ . 'contact', _DB_PREFIX_ . 'contact_shop'\n );\n $installFolder = _PS_MODULE_DIR_ . \"leotempcp/install\";\n if (!is_dir($installFolder))\n mkdir($installFolder, 0755);\n $backupfile = $installFolder . \"/theme.sql\";\n \n $fp = @fopen($backupfile, 'w');\n if ($fp === false) {\n $this->_html[\"error\"] = \"Error when export DbStruct! Can not write file in leotemcp/install\";\n return false;\n }\n fwrite($fp, 'SET NAMES \\'utf8\\';' . \"\\n\\n\");\n // Find all tables\n $tables = Db::getInstance()->executeS('SHOW TABLES');\n $found = 0;\n $sql = '';\n foreach ($tables as $table) {\n $table = current($table);\n\n // Skip tables which do not start with _DB_PREFIX_\n if (Tools::strlen($table) < Tools::strlen(_DB_PREFIX_) || strncmp($table, _DB_PREFIX_, Tools::strlen(_DB_PREFIX_)) != 0)\n continue;\n\n // Export the table schema\n $schema = Db::getInstance()->executeS('SHOW CREATE TABLE `' . $table . '`');\n\n if (count($schema) != 1 || !isset($schema[0]['Table']) || !isset($schema[0]['Create Table'])) {\n fclose($fp);\n //$this->delete();\n //echo Tools::displayError('An error occurred while backing up. Unable to obtain the schema of').' \"'.$table;\n $this->_html[\"error\"] = \"An error occurred while backing up. Unable to obtain the schema of \".$table;\n return false;\n }\n\n if (!in_array($schema[0]['Table'], $ignore_insert_table)) {\n $sql .= \"\\n\" . 'TRUNCATE TABLE ' . str_replace(\"`\"._DB_PREFIX_ , \"`PREFIX_\", \"`\".$schema[0]['Table']) . '`;' . \"\\n\";\n\n $data = Db::getInstance()->query('SELECT * FROM `' . $schema[0]['Table'] . '`', false);\n $sizeof = DB::getInstance()->NumRows();\n $lines = explode(\"\\n\", $schema[0]['Create Table']);\n\n if ($data && $sizeof > 0) {\n // Export the table data\n $sql .= 'INSERT INTO ' . str_replace('`'._DB_PREFIX_, '`PREFIX_', '`'.$schema[0]['Table']) . \"` VALUES\\n\";\n //fwrite($fp, 'INSERT INTO `'.$schema[0]['Table'].\"` VALUES\\n\");\n $i = 1;\n while ($row = DB::getInstance()->nextRow($data)) {\n $s = '(';\n\n foreach ($row as $field => $value) {\n //special table\n if ($schema[0]['Table'] == _DB_PREFIX_ . \"leowidgets\" && $field == \"params\") {\n $configs = Tools::jsonDecode(base64_decode($value) ,true);\n \n foreach ($configs as $kconfig => $vconfig) {\n if (strpos($kconfig, \"htmlcontent\") !== false || strpos($kconfig, \"content\") !== false || strpos($kconfig, \"information\") !== false || strpos($kconfig, \"raw_html\") !== false) {\n $vconfig = str_replace('\"' . __PS_BASE_URI__ . 'modules/', '\"modules/', $vconfig);\n $configs[$kconfig] = str_replace('\"' . __PS_BASE_URI__ . 'themes/', '\"themes/', $vconfig);\n }\n \n }\n $value = base64_encode(Tools::jsonEncode($configs));\n }\n\n $tmp = \"'\" . pSQL($value, true) . \"',\";\n if ($tmp != \"'',\")\n $s .= $tmp;\n else {\n foreach ($lines as $line)\n if (strpos($line, '`' . $field . '`') !== false) {\n if (preg_match('/(.*NOT NULL.*)/Ui', $line))\n $s .= \"'',\";\n else\n $s .= 'NULL,';\n break;\n }\n }\n }\n $s = rtrim($s, ',');\n\n if (($i % 200 == 0 || ($schema[0]['Table'] == _DB_PREFIX_ . \"leowidgets\" && $i % 20 == 0)) && $i < $sizeof)\n $s .= \");\\nINSERT INTO \" . str_replace('`'._DB_PREFIX_, '`PREFIX_', '`'.$schema[0]['Table']) . \"` VALUES\\n\";\n elseif ($i < $sizeof)\n $s .= \"),\\n\";\n else\n $s .= \");\\n\";\n $sql .= $s;\n \n //fwrite($fp, $s);\n ++$i;\n }\n }\n }\n $found++;\n }\n //table PREFIX_condition\n $sql = str_replace(\" \"._DB_PREFIX_, \" PREFIX_\", $sql);\n //img link\n //$sql = str_replace('src=\\\"' . __PS_BASE_URI__ . 'modules/', 'src=\\\"modules/', $sql);\n \n fwrite($fp, $sql);\n fclose($fp);\n if ($found == 0) {\n //echo Tools::displayError('No valid tables were found to backup.' );\n $this->_html[\"error\"] = \"No valid tables were found to backup.\";\n return false;\n }\n\n $this->_html[\"confirm\"][] .= 'Create theme.sql was successful';\n }", "private function check_for_save()\n {\n $ok = TRUE;\n $ok = ( $ok AND (strlen($this->main_table['title']) > 0) );\n\n return $ok;\n }", "public function hasInitialSplits(){\n return $this->_has(4);\n }", "public static function checkDB($name){\nif(!(\\Storage::disk('masterDB')->exists($name))){\nnew \\SQLite3(database_path('master').DS.$name);\n}\n}", "public function isDbSetup(){\n\t\t\n\t\t$schema = $this->conn->getSchemaManager();\n\n\t\tforeach ($this->tables as $table){\n\n\t\t\tif ( !$schema->tablesExist($table) )\n\t\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t}", "public function hasStockSplitByWarehouses()\n {\n return !empty($this->product_warehouses);\n }", "private static function q203()\n\t{\n\t\t$stock_dirs = AEPlatform::get_stock_directories();\n\n\t\t$registry =& AEFactory::getConfiguration();\n\t\t$outdir = $registry->get('akeeba.basic.output_directory');\n\t\tforeach( $stock_dirs as $macro => $replacement )\n\t\t{\n\t\t\t$outdir = str_replace($macro, $replacement, $outdir);\n\t\t}\n\n\t\t$default = $stock_dirs['[DEFAULT_OUTPUT]'];\n\n\t\t$outdir = AEUtilFilesystem::TranslateWinPath($outdir);\n\t\t$default = AEUtilFilesystem::TranslateWinPath($default);\n\n\t\treturn $outdir == $default;\n\t}", "public function testAcceptLargeArguments()\n {\n $argv = [\n 'input' => $this->getPathOfDatabase(),\n 'output' => $this->getPathOfOutputDatabases(),\n 'prefix' => 'test',\n 'stream' => true,\n 'join' => true,\n 'logs' => true\n ];\n $this->getInstanceOutput($argv);\n $file = $this->getPathOfOutputDatabases().'test_dbalone.sql';\n $this->assertFileExists($file);\n @unlink($file);\n @unlink($this->getPathOfOutputDatabases().'test_dump.sql');\n }", "private static function q102()\n\t{\n\t\t$stock_dirs = AEPlatform::get_stock_directories();\n\n\t\t// Get output writable status\n\t\t$registry =& AEFactory::getConfiguration();\n\t\t$tempdir = $registry->get('akeeba.basic.temporary_directory');\n\t\tforeach( $stock_dirs as $macro => $replacement )\n\t\t{\n\t\t\t$tempdir = str_replace($macro, $replacement, $tempdir);\n\t\t}\n\t\treturn self::checkOpenBasedirs($tempdir);\n\t}", "private static function selectDatabaseIfNecessary() {\n\t\t\n\t\tif (strcasecmp(DatabaseManager::$lastDatabaseSelected, SystemDatabaseManager::$dbName) != 0) {\n\t\t\t\n\t\t\tif (DatabaseManager::selectDatabase(SystemDatabaseManager::$dbName, SystemDatabaseManager::$instance->connection)) {\n\t\t\t\tDatabaseManager::$lastDatabaseSelected = SystemDatabaseManager::$dbName;\n\t\t\t}\n\t\t\telse {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t}\n\t\t\n\t\treturn true;\n\t}", "function writeToPersistence() {\n\t\t$sql_fields = \"\n\t\t\tcodename_mcs='\".SensitiveIO::sanitizeSQLString($this->_codename).\"',\n\t\t\tsite_mcs='\".SensitiveIO::sanitizeSQLString($this->_site).\"',\n\t\t\tdefinition_mcs='\".SensitiveIO::sanitizeSQLString($this->_definition).\"',\n\t\t\tnamespaces_mcs='\".SensitiveIO::sanitizeSQLString($this->_namespaces).\"'\n\t\t\";\n\t\t$sql = \"\n\t\t\treplace into\n\t\t\t\tmod_cms_sitemap\n\t\t\tset\n\t\t\t\t\".$sql_fields.\"\n\t\t\";\n\t\t$q = new CMS_query($sql);\n\t\tif ($q->hasError()) {\n\t\t\treturn false;\n\t\t}\n\t\treturn true;\n\t}", "private function createAndPopulateTables()\n {\n foreach ($this->arrTablesToMigrate as $arrTable) {\n $floatStartCopy = microtime(true);\n\n if (\n !$this->isDataOnly\n && !$this->createTable($arrTable['Tables_in_' . $this->strMySqlDbName])\n ) {\n return false;\n } else {\n $intRecords = $this->populateTable($arrTable['Tables_in_' . $this->strMySqlDbName]);\n }\n\n $floatEndCopy = microtime(true);\n $this->arrSummaryReport[] = [\n $this->strSchema . '.' . $arrTable['Tables_in_' . $this->strMySqlDbName],\n $intRecords,\n round(($floatEndCopy - $floatStartCopy), 3) . ' seconds',\n ];\n\n unset($arrTable, $floatStartCopy, $floatEndCopy, $intRecords);\n }\n\n return true;\n }" ]
[ "0.66759825", "0.5713162", "0.55165076", "0.54845256", "0.53195554", "0.52276343", "0.5217319", "0.51264447", "0.5086607", "0.5049479", "0.50287426", "0.498317", "0.49753904", "0.4967269", "0.49664187", "0.4954927", "0.49467242", "0.4945538", "0.49349242", "0.49031743", "0.48844045", "0.4880314", "0.48572466", "0.48550943", "0.4851964", "0.4848527", "0.48428184", "0.48193592", "0.48157787", "0.48098844" ]
0.6730619
0
This method check if SQlSplitter can be save a dump file with all splitted databases.
public function testSaveDumpOfSplittedDatabases(){ $this->instance->setFrom($this->getPathOfDatabases()); $this->instance->split(); $this->instance->saveJoin(); $databases = array_keys($this->instance->getDatabases()); $file = ''.$this->instance->getTo().'dump.sql'; $this->assertFileExists($file); @unlink($file); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function testSaveSplittedDatabases(){\n $this->instance->setFrom($this->getPathOfDatabases());\n\t\t$this->instance->split();\n $this->instance->save();\n $databases = array_keys($this->instance->getDatabases());\n foreach($databases as $database){\n $file = ''.$this->instance->getTo().$database.'.sql';\n $this->assertFileExists($file);\n @unlink($file);\n }\n }", "public function testSplitMultipleDatabasesFromAFile()\n {\n $this->instance->setFrom($this->getPathOfDatabases());\n\t\t$this->instance->split();\n $databases = array_keys($this->instance->getDatabases());\n $this->assertEquals('university', $databases[0]);\n $this->assertEquals('student', $databases[1]);\n $this->assertEquals('exam', $databases[2]);\n }", "public function testSplitSingleDatabaseFromAFile()\n {\n $this->instance->setFrom($this->getPathOfDatabase());\n\t\t$this->instance->split();\n $databases = array_keys($this->instance->getDatabases());\n $this->assertEquals('dbalone', $databases[0]);\n }", "public function check_is_same_db() {\n\t\treturn isset($this->options['separate_db'])?(bool)$this->options['separate_db']: false;\n\t}", "public function isDump()\n {\n return false;\n }", "public function is_valid_db() {\n if ($this->dbcount > 0) {\n return true;\n } else {\n return false;\n }\n }", "protected function isRestoreMigrationDataRequired(): bool\n {\n foreach ($this->getDatabases() as $db) {\n $table = $db->table($this->config->getTable());\n\n if (\n $table->select('id')\n ->where(['created_at' => null])\n ->count() > 0\n ) {\n return true;\n }\n }\n\n return false;\n }", "public function hasSavePath()\n {\n return strlen($this->_savePath) > 0;\n }", "protected function shouldMigrate()\n {\n return Compass::$runsMigrations && config('compass.driver') === 'database';\n }", "public static function isInsideDbList() {\n\t\t$s_scriptName = t3lib_div::getIndpEnv('SCRIPT_NAME');\n\t\t$i_pathLenght = strlen($s_scriptName);\n\t\tif(substr($s_scriptName,$i_pathLength-11) == 'db_list.php') return true;\n\t\treturn false;\n\t}", "function checkIfDatabaseIsUploaded(Db $bdd) { \n $data = $bdd->getAll(\"SELECT * FROM detail_appel\");\n $count = count($data);\n return $count;\n }", "public function testSplitMultipleDatabasesFromAStringData(){\n $this->instance->setData(file_get_contents($this->getPathOfDatabases()));\n\t\t$this->instance->split();\n $databases = array_keys($this->instance->getDatabases());\n $this->assertEquals('university', $databases[0]);\n $this->assertEquals('student', $databases[1]);\n $this->assertEquals('exam', $databases[2]);\n }", "function backupTables() {\n\tglobal $ax, $calID, $set, $lcV;\n\t\n\techo \"<fieldset><legend>{$ax['mdb_backup']}</legend>\\n\";\n\t//get table names\n\t$tables = getTables();\n\tif (empty($tables)) {\n\t\techo \"{$ax['mdb_noshow_tables']}\\n\";\n\t\t$result = false;\n\t} else {\n\t\t$sqlFile = backupDatabase($tables,true); //create backup file\n\t\t//save .sql dump file\n\t\t$fName = \"./files/{$calID}-dump-\".date('Ymd-His').'.sql';\n\t\techo \"<br>{$ax['mdb_file_name']} <strong>{$fName}</strong><br>\\n\";\n\t\tif (file_put_contents($fName, $sqlFile) !== false) {\n\t\t\techo \"{$ax['mdb_file_saved']}<br>\\n\";\n\t\t\t$result = basename($fName);\n\t\t} else {\n\t\t\techo \"<br><br><strong>{$ax['mdb_write_error']}</strong><br>\\n\";\n\t\t\t$result = false;\n\t\t}\n\t}\n\techo \"</fieldset>\\n\";\n\treturn $result;\n}", "protected function generateSQLDumps() {\n $this->output('==SQL Dumps Generator Initiated==');\n\n $this->createDefaultPaths(array(\n 'mysql' => 'mysql/',\n 'mysql_dumps' => 'dumps/',\n ));\n $mysqlBasePath = $this->paths['mysql'];\n\n $this->makeDirectory($mysqlBasePath);\n\n foreach ($this->databases as $database) {\n $namespace = $this->makeNamespace($database);\n $this->makeDirectory($mysqlBasePath . $namespace);\n $this->makeDirectory($mysqlBasePath . $namespace . '/' . $this->paths['mysql_dumps']);\n\n $results = $this->generateSQLDump($database, $namespace);\n if (!$results) {\n $this->output('Mysql Dump could not be created for ' . $database);\n }\n }\n $this->output('==SQL Dumps Generator Complete==');\n }", "private function loadStructureToMigrate()\n {\n $boolRetVal = false;\n $sql = '';\n\n try {\n $this->connect();\n $sql = 'SHOW FULL TABLES IN `' . $this->strMySqlDbName . '`;';\n $stmt = $this->mysql->query($sql);\n $arrResult = $stmt->fetchAll(\\PDO::FETCH_ASSOC);\n\n foreach ($arrResult as $arrRow) {\n if ('BASE TABLE' == $arrRow['Table_type']) {\n $this->arrTablesToMigrate[] = $arrRow;\n } elseif ('VIEW' == $arrRow['Table_type']) {\n $this->arrViewsToMigrate[] = $arrRow;\n }\n unset($arrRow);\n }\n\n $boolRetVal = true;\n unset($sql, $stmt, $arrResult);\n\n } catch (\\PDOException $e) {\n $this->generateError(\n $e,\n __METHOD__ . PHP_EOL . \"\\t\" . '-- Cannot load tables/views from source (MySql) database...',\n $sql\n );\n }\n return $boolRetVal;\n }", "public function isDbSetup(){\n\t\t\n\t\t$schema = $this->conn->getSchemaManager();\n\n\t\tforeach ($this->tables as $table){\n\n\t\t\tif ( !$schema->tablesExist($table) )\n\t\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t}", "function splitSQLFile() {\n\t\tif (!function_exists('splitFiles')) {\n\t\t\t$this->load->helper('sql');\n\t\t}\n\t\t$mess = \"No filename provided.\";\n\t\t$filename = $this->uri->segment(5);\n $delete = $this->uri->segment(6);\n\t\t$delete = ((isset($delete) && $delete == 1) ? true : false);\n\t\t\n if (isset($filename) && !empty($filename)) {\n\t\t\t$settings = $this->settings_lib->find_all();\n\t\t\t$mess = splitFiles($settings['osp.sql_path'],$filename, $delete, $settings['osp.max_sql_size'],$settings['osp.sql_timeout']);\n\t\t}\n\t\tif ($mess != \"OK\") {\n\t\t\tTemplate::set_message(\"error:\".$mess,'error');\n\t\t} else {\n Template::set_message(\"File successfully split\",'success');\n\t\t}\n $this->load_sql();\n\t}", "private function checkDatabaseFile()\n {\n if ($this->isDatabaseExists()) return;\n\n $pathinfo = pathinfo($path = $this->getDatabasePath());\n\n if ( ! file_exists($pathinfo['dirname'])) {\n mkdir($pathinfo['dirname'], 0777, true);\n }\n\n copy(realpath(__DIR__ . '/../../data/geoip.mmdb'), $path);\n }", "function dbdump() {\n\t\tif ($this->debug) debug(\"probando el dump...\");\n\t\tif (!(int)$this->_aReciever['id_direccion']) {\n\t\t\tif ($this->debug) debug(\"Direccion de entrega no Establecida, Intentando asignar una...\");\n\t\t\t$aDir = $this->get_reciever_address();\n\t\t\tif (is_array($aDir)) {\n\t\t\t\t$aDir = array_shift($aDir);\n\t\t\t\tif ((int)$aDir['id_direccion']) {\n\t\t\t\t\t$this->_aPedido['id_direccion'] = $aDir['id_direccion'];\n\t\t\t\t} else {\n\t\t\t\t\tdebug(\"TODO: Falta el codigo para dar de alta direcciones de entrega cuando no existen\");\n\t\t\t\t}\n\t\t\t} else {\n\t\t\t\tif ($this->debug) debug(\"Imposible asignar direccion de entrega\");\n\t\t\t\t$this->error('ORDER_NODELIVERYADDRESS',array('ref' => $this->get_reference()));\n\t\t\t\treturn false;\n\t\t\t}\n\t\t}\n\t\tif ($this->_aFlags['pedido'] & inmPed_DB_COMMIT) {\n\t\t\tif ($this->debug) debug(\"pedido tocado...\");\n\t\t\tif ($this->_aFlags['pedido'] & inmPed_DB_DELETE) {\n\t\t\t\tif ($this->debug) debug(\"BORRANDO (marcando flags)...\");\n\t\t\t\t\t\n\t\t\t\t// No se pueden borrar pedidos con albaranes (Al menos hasta que no tengamos objeto)\n\t\t\t\t// if (is_array($this->_aIDAlbaran) AND sizeof($this->_aIDAlbaran)) return FALSE;\n\n\t\t\t\t$this->_aFlags['calculos_iva'] |= inmPed_DB_DELETE;\n\t\t\t\t$this->_aFlags['calculos_iva'] |= inmPed_DB_COMMIT;\n\t\t\t\t$this->_aFlags['descuentos'] |= inmPed_DB_DELETE;\n\t\t\t\t$this->_aFlags['descuentos'] |= inmPed_DB_COMMIT;\n\t\t\t\t$this->_aFlags['detalles'] |= inmPed_DB_DELETE;\n\t\t\t\t$this->_aFlags['detalles'] |= inmPed_DB_COMMIT;\n\t\t\t\tif (is_array($this->_aDetalles))\n\t\t\t\t\tforeach ($this->_aDetalles as $idx => $aNull)\n\t\t\t\t\t\t$this->del_detail($idx,FALSE);\n\t\t\t\t$this->_db->tb_delete(\"Pedidos\",array(\"id_pedido\" => $this->_aPedido['id_pedido']));\n\t\t\t\t$this->_db->tb_delete(\"Pedidos_facturas\",array(\"id_pedido\" => $this->_aPedido['id_pedido']));\n\t\t\t\t$this->_db->tb_update(\"Pedidos\",array('id_pedido_incompleto' => 'null'),array(\"id_pedido_incompleto\" => $this->_aPedido['id_pedido']));\n\t\t\t\tif ($this->getMode() & inmPed_VENTA)\n\t\t\t\t\t$this->_db->tb_delete(\"Pedidos_tipo_cliente\",array(\"id_pedido\" => $this->_aPedido['id_pedido']));\n\t\t\t\telse \n\t\t\t\t\t$this->_db->tb_delete(\"Pedidos_tipo_proveedor\",array(\"id_pedido\" => $this->_aPedido['id_pedido']));\n\n\t\t\t\tif ($this->debug) \n\t\t\t\t\tdebug(\"Molaria resetear el contador caso de ser el ultimo pedido realizado (\".(int)$this->_aPedido['referencia'].\")\");\n\n\t\t\t\t// En el modo estricto, el borrado tambien lo es. No hay pedido, tampoco fact ni albaran.\n\t\t\t\tif ($this->_fPedido & inmPed_STRICT) {\n\t\t\t\t\t/** Esto molaria hacerlo por instancia, en vez de a pelo **\n\t\t\t\t\t// Borrar las facturas que no esten Emitidas.\n\t\t\t\t\tif (is_array($this->_aIDFactura))\n\t\t\t\t\t\tforeach ($this->_aIDFactura as $aFac)\n\t\t\t\t\t\t\tif ((int)$aFac['estado'] != 1) {\n\t\t\t\t\t\t\t\tif (!is_array($aFac_list)) $aFac_list = array();\n\t\t\t\t\t\t\t\tarray_push($aFac_list,array(\"id_factura\" => $aFac['id_factura']));\n\t\t\t\t\t\t\t}\n\t\t\t\t\tif (is_array($aFac_list)) {\n\t\t\t\t\t\t$this->_db->tb_delete(\"Pedidos_facturas\",$aFac_list);\n\t\t\t\t\t\t$this->_db->tb_delete(\"Descuentos\",$aFac_list);\n\t\t\t\t\t\t$this->_db->tb_delete(\"IVAs\",$aFac_list);\n\t\t\t\t\t}\n\t\t\t\t\t/** **/\n\n\t\t\t\t\t/** **\n\t\t\t\t\t// Borrar los albaranes que no esten confirmados. (Cuando tengamos instancia: ahora joderia el stock real)\n\t\t\t\t\tif (is_array($this->_aIDAlbaran))\n\t\t\t\t\t\tforeach ($this->_aIDAlbaran as $aAlb)\n\t\t\t\t\t\t\tif ((int)$aAlb['confirmacion'] != 1) {\n\t\t\t\t\t\t\t\tif (!is_array($aAlb_list)) $aAlb_list = array();\n\t\t\t\t\t\t\t\tarray_push($aAlb_list,array(\"id_albaran\" => $aAlb['id_albaran']));\n\t\t\t\t\t\t\t}\n\t\t\t\t\tif (is_array($aAlb_list)) {\n\t\t\t\t\t\t$this->_db->tb_delete(\"Albaranes\",$aAlb_list);\n\t\t\t\t\t\t$this->_db->tb_delete(\"Detalles_albaran\",$aAlb_list);\n\t\t\t\t\t}\n\t\t\t\t\t/** **/\n\n\t\t\t\t}\n\t\t\t} elseif ($this->_aFlags['pedido'] & inmPed_DB_COMMIT) {\n\t\t\t\tif ($this->debug) debug(\"Buscando numeracion para la referencia y la fecha...\");\n\t\t\t\t$ref = $this->get_reference();\n\t\t\t\tif (empty($ref)) $this->set_reference();\n\t\t\t\t$date = $this->get_date();\n\t\t\t\tif (empty($date)) $this->setDate();\n\t\t\t\tif ($this->_aFlags['pedido'] & inmPed_DB_NEWRECORD)\n\t\t\t\t\t$this->_aPedido['id_pedido'] = NULL;\n\t\t\t\tif ($this->_fPedido & inmPed_VENTA) \n\t\t\t\t\tif (!is_numeric($this->_aPedido['id_direccion']) OR empty($this->_aPedido['id_direccion'])) {\n\t\t\t\t\t\t$this->error('ORDER_NODELIVERYADDRESS',array('ref' => $this->get_reference()));\n\t\t\t\t\t\treturn false;\n\t\t\t\t\t} else {\n\t\t\t\t\t\t$this->_aPedido['id_proveedor'] = NULL;\n\t\t\t\t\t}\n\t\t\t\telse \n\t\t\t\t\tif (!is_numeric($this->_aPedido['id_proveedor']) OR empty($this->_aPedido['id_proveedor'])) {\n\t\t\t\t\t\t$this->error('DOCUMENT_NOISSUER',array('ref' => $this->get_reference()));\n\t\t\t\t\t\treturn false;\n\t\t\t\t\t} else {\n\t\t\t\t\t\t$this->_aPedido['id_direccion'] = NULL;\n\t\t\t\t\t}\n\t\t\t\t// TODO: Comprobar que el ratio es el que tiene que ser (junto con el dbfill)\n\t\t\t\t$this->_aPedido['ratio_divisa'] = $this->_aDivisa['ratio'];\n\n\t\t\t\tif ((int)$this->_aPedido['id_pedido']) {\n\t\t\t\t\tif ($this->debug) debug(\"Updateamos el pedido...\");\n\t\t\t\t\t$this->_db->tb_update(\"Pedidos\",$this->_aPedido);\n\t\t\t\t} else {\n\t\t\t\t\tif ($this->debug) debug(\"Insertando un nuevo pedido en la db...\");\n\t\t\t\t\t$this->_db->tb_replace(\"Pedidos\",$this->_aPedido);\n\t\t\t\t\t$this->_aPedido['id_pedido'] = $this->_db->last_insert_id();\n\t\t\t\t}\n\t\t\t\t \n\t\t\t\t// Volcamos la relacion que haya con las facturas.\n\t\t\t\tif (is_array($this->_aIDFactura) AND sizeof($this->_aIDFactura))\n\t\t\t\t\tforeach ($this->_aIDFactura as $aFra) {\n\t\t\t\t\t\tif (is_array($aFra) AND is_numeric($aFra['id_factura'])) {\n\t\t\t\t\t\t\t$aTmp = array();\n\t\t\t\t\t\t\t$aTmp['id_pedido'] = $this->getId();\n\t\t\t\t\t\t\t$aTmp['id_factura'] = $aFra['id_factura'];\n\t\t\t\t\t\t\t// Sobra si actualizamos mas abajo a partir de _aIDPedido: \n\t\t\t\t\t\t\t$this->_db->tb_replace('Pedidos_facturas',$aTmp);\n\t\t\t\t\t\t\t$aFra['_dbfetch'] = 1;\n\t\t\t\t\t\t\t$this->_aIDFactura[$aFra['id_factura']] = $aFra;\n\t\t\t\t\t\t} \n\t\t\t\t\t} \n\t\t\t}\n\t\t\t$this->_change_flags(inmPed_CHG_MAIN | inmPed_OK);\n\n\t\t\tif( $this->_fPedido & inmPed_STANDARD ){\n\t\t\t\t$aTmp['id_pedido'] = $this->get_id();\n\t\t\t\t$aTmp['nombre'] = $this->get_name();\n\t\t\t\tif (empty($aTmp['nombre'])) $aTmp['nombre'] = \"Pedido Tipo Sin Nombre\";\n\t\t\t\tif ($this->getMode() & inmPed_VENTA) {\n\t\t\t\t\t$aTmp['id_cliente'] = $this->get_reciever_id();\n\t\t\t\t\t$aTmp['id_empresa'] = $this->get_issuer_id();\n\t\t\t\t\t$this->_db->tb_replace(\"Pedidos_tipo_cliente\",$aTmp);\n\t\t\t\t} else {\n\t\t\t\t\t$aTmp['id_proveedor'] = $this->get_issuer_id();\n\t\t\t\t\t$aTmp['id_empresa'] = $this->get_reciever_id();\n\t\t\t\t\t$this->_db->tb_replace(\"Pedidos_tipo_proveedor\",$aTmp);\n\t\t\t\t}\n\t\t\t}\n\t\t} elseif ($this->debug) debug(\"La cabecera del pedido no se ha tocado...\");\n\n\t\tif ( ($this->_aFlags['calculos_iva'] & inmPed_DB_COMMIT) ) {\n\t\t\tif ($this->debug) debug(\"Volcamos los ivas...\");\n\t\t\tif ($this->_aFlags['calculos_iva'] & inmPed_DB_DELETE AND (int)$this->_aPedido['id_pedido']) {\n\t\t\t\t$cons = 'DELETE FROM IVAs WHERE '.\n\t\t\t\t\t\t'(!id_factura OR id_factura IS NULL OR id_factura=0) AND '.\n\t\t\t\t\t\t'(!id_presupuesto OR id_presupuesto IS NULL OR id_presupuesto=0) AND '.\n\t\t\t\t\t\t' id_pedido = '.$this->_aPedido['id_pedido'];\n\t\t\t\t$this->_db->query($cons);\n\t\t\t} elseif ((int)$this->_aPedido['id_pedido']) {\n\t\t\t\t$this->_build_taxes();\n\t\t\t\tif (is_array($this->_aIVAs['detalle']))\n\t\t\t\t\tforeach ($this->_aIVAs['detalle'] as $id_iva => $aIva) {\n\t\t\t\t\t\t$aIva['id_iva'] = $id_iva;\n\t\t\t\t\t\t$aIva['id_pedido'] = $this->_aPedido['id_pedido'];\n\t\t\t\t\t\t// $aIva[id_factura] = $this->_aPedido[id_factura];\n\t\t\t\t\t\t$aIva['monto'] = $aIva['base_imponible'];\n\t\t\t\t\t\t$aIva['bruto'] = $aIva['bruto'];\n\t\t\t\t\t\t$aIva['recargo_iva'] = $aIva['total_iva'];\n\t\t\t\t\t\t$aIva['recargo_equivalente'] = $aIva['total_recargo'];\n\t\t\t\t\t\tif ($this->debug) print_r($aIva);\n\t\t\t\t\t\t$this->_db->tb_replace(\"IVAs\",$aIva);\n\t\t\t\t\t}\n\t\t\t\telseif ($this->debug) debug(\"No hay IVAs que volcar...\");\n\t\t\t\tif (is_array($this->_aIva_dbdel) AND sizeof($this->_aIva_dbdel))\n\t\t\t\t\tforeach ($this->_aIva_dbdel as $aIva_del) {\n\t\t\t\t\t\tif (!isset($aIva_del['id_iva'])) continue;\n\t\t\t\t\t\tif (!isset($aIva_del['id_pedido'])) \n\t\t\t\t\t\t\tif (empty($this->_aPedido['id_pedido'])) continue;\n\t\t\t\t\t\t\telse $aIva_del['id_pedido'] = $this->_aPedido['id_pedido'];\n\n\t\t\t\t\t\tif (empty($aIva_del['id_factura'])) {\n\t\t\t\t\t\t\tunset($aIva_del['id_factura']);\n\t\t\t\t\t\t\t$this->_db->tb_delete(\"IVAs\",$aIva_del);\n\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\t$aTmp['id_pedido'] = 0;\n\t\t\t\t\t\t\t$aTmp['id_iva'] = $aIva_del['id_iva'];\n\t\t\t\t\t\t\t$aTmp['id_factura'] = $aIva_del['id_factura'];\n\t\t\t\t\t\t\t$aFld[] = \"id_factura\";\n\t\t\t\t\t\t\t$aFld[] = \"id_iva\";\n\t\t\t\t\t\t\t$this->_db->tb_update(\"IVAs\",$aTmp,$aFld);\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t} else $this->error('ORDER_NODBRECORD');\n\t\t\t$this->_change_flags(inmPed_CHG_TAXES | inmPed_OK);\n\t\t} else if ($this->debug) debug(\"Los IVAs no se han tocado...\");\n\n\t\tif ($this->debug) debug(\"<b>INICIAMOS LOS DESCUENTOS</b>\");\n\t\tif ($this->_aFlags['descuentos'] & inmPed_DB_COMMIT) {\n\t\t\tif ($this->debug) debug(\"Volcamos los descuentos...\");\n\t\t\tif ($this->_aFlags['descuentos'] & inmPed_DB_DELETE AND (int)$this->_aPedido['id_pedido']) {\n\t\t\t\t$cons = \"DELETE FROM Descuentos WHERE (!id_factura OR id_factura IS NULL OR id_factura=0) AND \".\n\t\t\t\t\t\t\t\" id_pedido = \".$this->_aPedido['id_pedido'];\n\t\t\t\tif ($this->debug) debug(\"query : $cons\");\n\t\t\t\t$this->_db->query($cons);\n\t\t\t} elseif ((int)$this->_aPedido['id_pedido']) {\n\t\t\t\tif (!is_array($this->_aDescuentos['detalle'])) $this->calculate();\n\t\t\t\tif (is_array($this->_aDescuentos['detalle']))\n\t\t\t\t\tforeach($this->_aDescuentos['detalle'] as $aDto) {\n\t\t\t\t\t\t$aDto['id_pedido'] = $this->_aPedido['id_pedido'];\n\t\t\t\t\t\t$aDto['id_factura'] = $this->_aPedido['id_factura'];\n\t\t\t\t\t\t$aDto['monto_base'] = $aDto['base_imponible'];\n\t\t\t\t\t\t$aDto['porcentaje'] = $aDto['descuento'];\n\t\t\t\t\t\t$aDto['nombre'] = $aDto['nombre'];\n\t\t\t\t\t\t$aDto['financiero'] = $aDto['financiero'];\n\t\t\t\t\t\t$aDto['monto_final'] = $aDto['importe'];\n\t\t\t\t\t\tif ($this->debug) debug(\"Replace de descuentos:\");\n\t\t\t\t\t\tif ($this->debug) print_r($aDto);\n\t\t\t\t\t\t$this->_db->tb_replace(\"Descuentos\",$aDto);\n\t\t\t\t\t}\n\t\t\t\telseif ($this->debug) debug(\"No hay Dscuentos que volcar...\");\n\t\t\t} else $this->error('ORDER_NODBRECORD');\n\t\t\t$this->_change_flags(inmPed_CHG_DISCOUNTS | inmPed_OK);\n\t\t} else if ($this->debug) debug(\"Los DESCUENTOS NO se han tocado...\");\n\n\t\tif ($this->_aFlags['detalles'] & inmPed_DB_COMMIT) {\n\t\t\t$aBorrarDet = array();\n\t\t\tif ($this->_fPedido & inmPed_VENTA) $op_sign = '+';\n\t\t\telse $op_sign = '-';\n\t\t\tforeach($this->_aModif['detalles'] as $idx_det => $estado) {\n\t\t\t\t// Fixme: Actualizar los socks cuando se borra o modifican cantidades.\n\t\t\t\tif ($estado & inmPed_DB_DELETE) {\n\t\t\t\t\tif ($this->debug) debug(\"Habria que borrar este detalle($idx_det)... si\");\n\t\t\t\t\t// Meter este id_detalle dentro de un array de id_detalles a borrar.\n\t\t\t\t\tarray_push($aBorrarDet,$idx_det);\n\t\t\t\t\tif (is_numeric($this->_aDet_dbdel[$idx_det]['id_detalle']) AND !empty($this->_aDet_dbdel[$idx_det]['id_detalle'])) {\n\t\t\t\t\t\t/** Actualmente no permitimos borrar un detalle que pertenece a un albaran,ticket o factura.\n\t\t\t\t\t\t Si quisiesemos des-asociar el detalle del pedido (aun asi con to-do) descomentar esto:\n\t\t\t\t\t\t$this->_db->tb_update('Lineas_detalle',\n\t\t\t\t\t\t\t\tarray('id_pedido' => 0, 'id_detalle' => $this->_aDet_dbdel[$idx_det]['id_detalle']));\n\t\t\t\t\t\t/** **/\n\t\t\t\t\t}\n\t\t\t\t} elseif ($estado & inmPed_DB_COMMIT) {\n\t\t\t\t\tif ($this->debug) debug(\"Detalle $idx_det no actualizado\");\n\t\t\t\t\t$aTmp = $this->get_detail($idx_det);\n\t\t\t\t\t$this->_aDetalles[$idx_det]['id_pedido'] = $aTmp['id_pedido'] = $this->_aPedido['id_pedido'];\n\t\t\t\t\t// $aTmp['cantidad'] = $aTmp['cantidad_pedida'];\n\t\t\t\t\t$aTmp['precio_articulo'] = $aTmp['precio_tarifa'];\n\t\t\t\t\t$aTmp['monto_total'] = $aTmp['base_imponible'];\n\t\t\t\t\t$aDto = $this->get_detail_discount($idx_det);\n\t\t\t\t\tif (!sizeof($aDto)) {\n\t\t\t\t\t\t$aTmp['monto'] = 0;\n\t\t\t\t\t\t$aTmp['descuento'] = 0;\n\t\t\t\t\t} else {\n\t\t\t\t\t\t$aTmp['monto'] = $aDto['monto'];\n\t\t\t\t\t\t$aTmp['descuento'] = $aDto['porciento'];\n\t\t\t\t\t}\n\t\t\t\t\tif ($this->debug) debug(\"Linea de detalle\");\n\t\t\t\t\tif ($this->debug) print_r($aTmp);\n\n\t\t\t\t\tif (!(int)$aTmp['id_detalle']) {\n\t\t\t\t\t\tif ($this->debug) debug(\"Detalle $idx_det No esta en la DB. Actualizando indices...\");\n\t\t\t\t\t\t$this->_db->tb_replace(\"Lineas_detalle\",$aTmp);\n\t\t\t\t\t\t$this->_aDetalles[$idx_det]['id_detalle'] = (int)$this->_db->last_insert_id();\n\t\t\t\t\t\t$this->_aDetIdx[$this->_aDetalles[$idx_det]['id_detalle']] = $idx_det;\n\t\t\t\t\t} else {\n\t\t\t\t\t\t$this->_db->tb_update(\"Lineas_detalle\",$aTmp);\n\t\t\t\t\t}\n\t\t\t\t\t// Actualizamos la cantidad que hay ahora mismo en la DB.\n\t\t\t\t\tif (is_numeric($this->_aDet_dbdel[$idx_det]['cantidad_db']))\n\t\t\t\t\t\t$cant_org = $this->_aDet_dbdel[$idx_det]['cantidad_db'];\n\t\t\t\t\telse $cant_org = 0;\n\t\t\t\t\tif (is_numeric($aTmp['cantidad']))\n\t\t\t\t\t\t$cant_act = $aTmp['cantidad'];\n\t\t\t\t\telse $cant_act = 0;\n\t\t\t\t\tif ($cant_org != $cant_act) {\n\t\t\t\t\t\t$cons = \"UPDATE Empresas_articulos SET stock_ficticio = stock_ficticio $op_sign ($cant_org - $cant_act) \".\n\t\t\t\t\t\t\t\t\t\"WHERE id_articulo = \".$aTmp['id_articulo'].\" AND id_empresa = \".(int)$this->_aPedido['id_empresa'];\n\t\t\t\t\t\t$this->_db->query($cons);\n\t\t\t\t\t}\n\t\t\t\t\t$this->_aDet_dbdel[$idx_det]['cantidad_db'] = $cant_act;\n\t\t\t\t\tif ($this->debug) debug(\"Actualizando stock: $cons\");\n\t\t\t\t} else if ($this->debug) debug(\"Nada que hacer para este detalle($idx_det)...\");\n\t\t\t}\n\t\t\t// Borramos los que haya que borrar\n\t\t\tif (is_array($this->_aIDAlabaran)) {\n\t\t\t\t$aDetAlb = array();\n\t\t\t\t// Comprobamos los detalles de nuestro Albaran.\n\t\t\t\t$cons = \"SELECT DISTINCT Li.id_detalle as 'id_detalle' \".\n\t\t\t\t\t\t\t\"FROM Lineas_detalle `Li`, Detalles_albaran `DA`, Albaranes `Alb` \".\n\t\t\t\t\t\t\t\"WHERE DA.id_detalle = Li.id_detalle AND DA.id_albaran = Alb.id_albaran AND Alb.id_pedido = \".$this->get_id();\n\t\t\t\t$idrs = $this->_db->query($cons);\n\t\t\t\tif ($this->_db->num_rows($idrs)) \n\t\t\t\t\twhile ($aTmp = $this->_db->fetch_assoc($idrs)) {\n\t\t\t\t\t\tforeach ($this->_aDet_dbdel as $i => $aVal) \n\t\t\t\t\t\t\tif ($aVal['id_detalle'] == $aTmp['id_detalle']) {\n\t\t\t\t\t\t\t\t$idx = $i;\n\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\tif (isset($idx)) {\n\t\t\t\t\t\t\tarray_push($aDetAlb,$idx);\n\t\t\t\t\t\t\t$idx = NULL;\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t$this->_db->libera($idrs);\n\t\t\t}\n\n\t\t\tif (is_array($this->_aIDFactura)) {\n\t\t\t\t$aDetFac = array();\n\t\t\t\t// Comprobamos los detalles de nuestra Factura.\n\t\t\t\t$cons = \"SELECT DISTINCT Li.id_detalle as 'id_detalle' \".\n\t\t\t\t\t\t\t\"FROM Lineas_detalle `Li`, Facturas_detalle `DF`, Facturas `Fac`, Pedidos_facturas `PF` \".\n\t\t\t\t\t\t\t\"WHERE DF.id_detalle = Li.id_detalle AND DF.id_factura = Fac.id_factura AND \".\n\t\t\t\t\t\t\t\"Fac.id_factura = PF.id_factura AND PF.id_pedido = \".$this->get_id();\n\t\t\t\t$idrs = $this->_db->query($cons);\n\t\t\t\tif ($this->_db->num_rows($idrs)) \n\t\t\t\t\twhile ($aTmp = $this->_db->fetch_assoc($idrs)) {\n\t\t\t\t\t\tforeach ($this->_aDet_dbdel as $i => $aVal) \n\t\t\t\t\t\t\tif ($aVal['id_detalle'] == $aTmp['id_detalle']) {\n\t\t\t\t\t\t\t\t$idx = $i;\n\t\t\t\t\t\t\t\tbreak;\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\tif (isset($idx)) {\n\t\t\t\t\t\t\tarray_push($aDetFac,$idx);\n\t\t\t\t\t\t\t$idx = NULL;\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t$this->_db->libera($idrs);\n\t\t\t}\n\n\t\t\t//Fixme: Faltan comprobar tambien que el detalle no pertenezca a ningun tickests.\n\n\t\t\tif (sizeof($aDetAlb)) $aToDelete = array_diff($aBorrarDet,$aDetAlb);\n\t\t\telse $aToDelete = $aBorrarDet;\n\t\t\tif (sizeof($aDetFac)) $aToDelete = array_diff($aToDelete,$aDetFac);\n\n\t\t\tforeach ($aToDelete as $i => $id) {\n\t\t\t\tif ((int)$this->_aDet_dbdel[$id]['id_detalle']) {\n\t\t\t\t\tif (!is_array($aDelete_Det)) $aDelete_Det = array();\n\t\t\t\t\t// Actualizamos Stock y metemos el id_detalle en el array para tb_delete()\n\t\t\t\t\tif (is_numeric($this->_aDet_dbdel[$id]['cantidad_db']))\n\t\t\t\t\t\t$cant_org = $this->_aDet_dbdel[$id]['cantidad_db'];\n\t\t\t\t\telse $cant_org = 0;\n\t\t\t\t\t// Si borramos la linea de detalle no hay nada que 'recuperar' del stock\n\t\t\t\t\t$cant_act = 0;\n\t\t\t\t\t$id_art = (int)$this->_aDet_dbdel[$id]['id_articulo'];\n\t\t\t\t\t$id_det = (int)$this->_aDet_dbdel[$id]['id_detalle'];\n\t\t\t\t\tif ($cant_org != $cant_act) {\n\t\t\t\t\t\t$cons = \"UPDATE Empresas_articulos SET stock_ficticio = stock_ficticio $op_sign ($cant_org) \".\n\t\t\t\t\t\t\t\t\t\"WHERE id_articulo = $id_art AND id_empresa = \".(int)$this->_aPedido['id_empresa'];\n\t\t\t\t\t\t$this->_db->query($cons);\n\t\t\t\t\t}\n\t\t\t\t\tarray_push($aDelete_Det,array('id_detalle' => $id_det));\n\t\t\t\t\tif ($this->debug) debug(\"Detalle borrado($id_det), Actualizando stock...\");\n\t\t\t\t} else if ($this->debug) debug(\"solicitud de borrado de un detalle($id) sin id_detalle...\");\n\t\t\t}\n\t\t\tif (is_array($aDelete_Det)) $this->_db->tb_delete(\"Lineas_detalle\",$aDelete_Det);\n\t\t\t$this->_change_flags(inmPed_CHG_DETAIL | inmPed_OK);\n\t\t} else if ($this->debug) debug(\"Los DETALLES NO se han tocado\");\n\n\t\treturn true;\n\n\t}", "private function check_for_save()\n\t{\n\t\t$ok = TRUE;\n\t\t$ok = ($ok AND (strlen($this->main_table['title']) > 0));\n\t\t// $ok = ($ok AND (strrpos($this->main_table['title'], '-') === FALSE));\n\n\t\treturn $ok;\n\t}", "private function check_for_save()\n {\n $ok = TRUE;\n $ok = ( $ok AND (strlen($this->main_table['title']) > 0) );\n\n return $ok;\n }", "public function backup()\n {\n $filename = 'dbbackup_' . date(\"dmY\") . '.sql';\n $filess = __DIR__ . '/../../backup/' . $filename;\n\n $tables = array();\n $this->query(\"SET NAMES 'utf8'\");\n $tables = $this->query('SHOW TABLES');\n //Missatges::debugVar($tables);\n // Cycle through each provided table\n // Generate the filename for the sql file\n\n $handle = fopen($filess, 'w+');\n foreach ($tables as $t) {\n $table = $t['Tables_in_' . config::DB['name']];\n\n $result = $this->query('SELECT * FROM ' . $table);\n\n // First part of the output – remove the table\n $return = 'DROP TABLE IF EXISTS ' . $table . ';';\n fwrite($handle, $return);\n // Second part of the output – create table\n $row2 = $this->query('SHOW CREATE TABLE ' . $table);\n $ssql_create = $row2[0]['Create Table'];\n //Missatges::debugVar($ssql_create);\n\n $return = \"\\n\\n\" . $ssql_create . \";\\n\\n\";\n fwrite($handle, $return);\n\n //si no hi ha columnes botam a la seguent taula\n if (count($result) == 0) {\n break;\n }\n $num_fields = count($result[0]);\n\n // Third part of the output – insert values into new table\n foreach ($result as $row) {\n //Missatges::debugVar($row);\n $return = 'INSERT INTO ' . $table . ' VALUES(';\n fwrite($handle, $return);\n $j = 0;\n foreach ($row as $field) {\n $return = '';\n $field = addslashes($field);\n $field = preg_replace(\"#\\n#\", \"\\\\n\", $field);\n if (isset ($field)) {\n $return .= '\"' . $field . '\"';\n } else {\n $return .= '\"\"';\n }\n if ($j < ($num_fields - 1)) {\n $return .= ',';\n }\n fwrite($handle, $return);\n $j++;\n }\n fwrite($handle, \");\\n\");\n }\n fwrite($handle, $return);\n fwrite($handle, \"\\n\\n\\n\");\n }\n\n // Save the sql file\n fclose($handle);\n\n // Print the message\n return $filename;\n }", "private static function selectDatabaseIfNecessary() {\n\t\t\n\t\tif (strcasecmp(DatabaseManager::$lastDatabaseSelected, SystemDatabaseManager::$dbName) != 0) {\n\t\t\t\n\t\t\tif (DatabaseManager::selectDatabase(SystemDatabaseManager::$dbName, SystemDatabaseManager::$instance->connection)) {\n\t\t\t\tDatabaseManager::$lastDatabaseSelected = SystemDatabaseManager::$dbName;\n\t\t\t}\n\t\t\telse {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t}\n\t\t\n\t\treturn true;\n\t}", "public function hasInitialSplits(){\n return $this->_has(4);\n }", "public function testGenerateDumpFile()\n {\n $argv = [\n 'input' => $this->getPathOfDatabase(),\n 'output' => $this->getPathOfOutputDatabases(),\n 'prefix' => 'test',\n 'join' => true,\n 'logs' => true\n ];\n $this->getInstanceOutput($argv);\n $file = $this->getPathOfOutputDatabases().'test_dbalone.sql';\n $this->assertFileExists($file);\n @unlink($file);\n @unlink($this->getPathOfOutputDatabases().'test_dump.sql');\n }", "public function handlesDumpCompression();", "function write_db_sets($sfile = './settings.php')\n\t{\n\t\t$settings = $this->create_settings_file();\n\n\t\t$fp = @fopen($sfile, 'w');\n\n\t\tif (!$fp) {\n\t\t\treturn false;\n\t\t}\n\n\t\tif (!@fwrite($fp, $settings)) {\n\t\t\treturn false;\n\t\t}\n\n\t\tfclose($fp);\n\n\t\treturn true;\n\t}", "function isWriteType($sql)\n {\n if ( ! preg_match('/^\\s*\"?(SET|INSERT|UPDATE|DELETE|REPLACE|CREATE|DROP|TRUNCATE|LOAD DATA|COPY|ALTER|GRANT|REVOKE|LOCK|UNLOCK|RENAME)\\s+/i', $sql)) {\n return false;\n }\n\n return true;\n\t }", "public function canSave()\n {\n $tables = [];\n foreach ($this->_query->getQueryPart('from') as $part) {\n $table = $part['table'];\n\n $tables[] = $table;\n }\n\n if (sizeof(array_unique($tables)) === 1) {\n $table = $tables[0]; $required = [];\n foreach($this->_query->getConnection()->getSchemaManager()->listTableColumns($table) as $column) /** @var $column \\Doctrine\\DBAL\\Schema\\Column */ {\n if ($column->getNotnull() && !$column->getAutoincrement()) $required[$column->getName()] = 1;\n }\n\n if (sizeof($required)) {\n foreach($this->getFields() as $field) {\n /** @var $field IField */\n if ($field instanceof Relation) {\n foreach($field->getRelations() as $local_name => $value) {\n if (isset($required[$local_name])) unset($required[$local_name]);\n }\n } else {\n if (isset($required[$local_name = $field->getName()])) unset($required[$local_name]);\n }\n }\n\n return (sizeof($required) === 0);\n } else return true;\n } else return false;\n }", "public function dumpDB()\n {\n $aTables = $this->_getDbTables();\n $oDb = oxDb::getDb();\n\n foreach ($aTables as $sTable) {\n $sFile = $this->getDumpFolderPath() . $sTable . '_dump.sql';\n if (file_exists($sFile)) {\n unlink($sFile);\n }\n\n $sql = \"SELECT * INTO OUTFILE '\" . $sFile . \"' FROM $sTable\";\n $oDb->Query($sql);\n }\n\n $aChecksum = $this->_getTableChecksum($aTables);\n\n file_put_contents($this->getDumpFolderPath() . 'dbdata', serialize($aChecksum));\n }" ]
[ "0.67988753", "0.595725", "0.5809413", "0.56610286", "0.56339365", "0.5450485", "0.53872174", "0.53666276", "0.53550136", "0.5324925", "0.5272302", "0.52553684", "0.52545446", "0.5237099", "0.52209145", "0.52031827", "0.5201267", "0.5185651", "0.5176478", "0.5173137", "0.51665205", "0.5157189", "0.5153802", "0.51478606", "0.51394343", "0.5134442", "0.5119295", "0.51108843", "0.5109163", "0.5107601" ]
0.71971047
0
This test checks the Boolean's __constructor() method with a valid boolean value TRUE.
public function testToStringWithBooleanValueTrue() { // initialize a new Boolean instance $boolean = new Boolean(true); // check that the two booleans are equal $this->assertEquals('true', $boolean->__toString()); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function testConstructorWithClassCastException()\n {\n // set the expected exception\n $this->setExpectedException('\\AppserverIo\\Lang\\ClassCastException');\n // try to initialize a new Boolean instance\n $boolean = new Boolean('xxx');\n }", "public function testToStringWithBooleanValueFalse()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(false);\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueTrue()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('true');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithStringValueFalse()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('false');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function __construct($value)\n {\n $this->value = (bool) $value;\n }", "public function testConstruct() {\n $result = new ValidationResult(TRUE, 200);\n\n $this->assertTrue($result instanceOf ValidationResult);\n }", "public function testToStringWithStringValueOn()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('on');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function test_true_is_true() {\n\t\t$this->assertTrue( true );\n\t\t$this->assertFalse( false );\n\t}", "public function testBaseProperties()\n {\n $muliple = $this->_bool->isMultiValued();\n $this->boolean($muliple)->isFalse();\n\n $required = $this->_bool->isRequired();\n //should'nt that one be false?\n $this->variable($required)->isNull();\n\n $name = $this->_bool->getName();\n $this->variable($name)->isNull();\n\n $has_fixed_values = $this->_bool->hasFixedValues();\n $this->boolean($has_fixed_values)->isFalse();\n\n $has_data = $this->_bool->hasData();\n $this->boolean($has_data)->isTrue();\n\n $has_w = $this->_bool->hasWidth();\n $this->boolean($has_w)->isFalse();\n\n $has_h = $this->_bool->hasHeight();\n $this->boolean($has_h)->isFalse();\n\n $has_s = $this->_bool->hasSize();\n $this->boolean($has_s)->isFalse();\n\n $perms = $this->_bool->getPerm();\n $this->variable($perms)->isNull();\n\n $width = $this->_bool->getWidth();\n $this->variable($width)->isNull();\n\n $height = $this->_bool->getHeight();\n $this->variable($height)->isNull();\n\n $repeat = $this->_bool->getRepeat();\n $this->variable($repeat)->isNull();\n\n $size = $this->_bool->getSize();\n $this->variable($size)->isNull();\n\n $values = $this->_bool->getValues();\n $this->boolean($values)->isFalse();\n }", "public function testBoolean(): void\n {\n $validator = new Validator();\n $this->assertProxyMethod($validator, 'boolean');\n $this->assertNotEmpty($validator->validate(['username' => 'not a boolean']));\n\n $fieldName = 'field_name';\n $rule = 'boolean';\n $expectedMessage = 'The provided value must be a boolean';\n $this->assertValidationMessage($fieldName, $rule, $expectedMessage);\n }", "public function testToStringWithStringValueYes()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('yes');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithStringValueNo()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('no');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueOff()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('off');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "function testBooleanDataType() {\n $data = array(\n 'id' => 1,\n 'booleanfield' => true,\n );\n $this->insertValues($data);\n $this->selectAndCheck($data);\n \n $data = array(\n 'id' => 2,\n 'booleanfield' => false,\n );\n $this->insertValues($data);\n $this->selectAndCheck($data);\n }", "public function testAssertIsBool() {\n\t\t$this->assertIsBool( true );\n\t}", "public function testFilterBoolean()\n {\n $dirtyVal = 'This will be casted to true';\n $expectedResult = true;\n $filterInstance = new Filter();\n $cleanVal = $filterInstance->filterBool($dirtyVal);\n $this->assertEquals($expectedResult, $cleanVal);\n $dirtyFalseVal = 0; //Will be casted to false\n $expectedFalseResult = false;\n $cleanFalse = $filterInstance->filterBool($dirtyFalseVal);\n $this->assertEquals($expectedFalseResult, $cleanFalse);\n }", "public function testToStringWithStringValueN()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('n');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueY()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('y');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testSerializeAndUnserialize()\n {\n // initialize a Boolean instance and clone it\n $booleanOne = new Boolean(true);\n $clonedOne = clone $booleanOne;\n // serialize/unserialize the Boolean value\n $booleanOne->unserialize($booleanOne->serialize());\n // check that the two Booleans are equal\n $this->assertEquals($clonedOne, $booleanOne);\n }", "public function bool();", "public function testParseBoolean(): void {\n\n $this->assertEquals(0, IntegerHelper::parseBoolean(null));\n $this->assertEquals(0, IntegerHelper::parseBoolean(false));\n $this->assertEquals(1, IntegerHelper::parseBoolean(true));\n }", "public function testFormatBool()\n {\n $caster = new DataToArrayCaster();\n $caster->cast(true);\n }", "function testIsControllableDefaultsToFalse() {\n // object pattern instead.\n $this->assertFalse($this->user->isControllable());\n }", "public function getBooleanValue() {}", "public function testGetClass()\n {\n // check for the correct class name\n $this->assertEquals('AppserverIo\\Lang\\Boolean', Boolean::__getClass());\n }", "public function testAssertIsNotBool() {\n\t\tself::assertIsNotBool( null );\n\t}", "public static function Bool(): bool {\n return (bool)\\random_int(0, 1);\n }", "public function testMethodToStringWithStringValueN()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(true);\n // check that the two boolean are equal\n $this->assertEquals(new Strng('true'), $boolean->toString());\n }", "public static function booleanValue()\n {\n return Hamcrest_Type_IsBoolean::booleanValue();\n }", "public function true_is_true()\n{\n return $this->assertTrue(true);\n}" ]
[ "0.7560534", "0.73561496", "0.71928155", "0.703047", "0.6976876", "0.68177074", "0.6798065", "0.67823076", "0.6758217", "0.6738212", "0.67199326", "0.6712422", "0.67099625", "0.67090523", "0.66989", "0.65795946", "0.654583", "0.65043646", "0.64957744", "0.6440023", "0.63996506", "0.6371898", "0.6366389", "0.6328291", "0.6285275", "0.6216509", "0.62104374", "0.620192", "0.6198972", "0.61967456" ]
0.7543514
1
This test checks the Boolean's __constructor() method with a valid string value 'true'.
public function testToStringWithStringValueTrue() { // initialize a new Boolean instance $boolean = new Boolean('true'); // check that the two booleans are equal $this->assertEquals('true', $boolean->__toString()); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function testToStringWithBooleanValueTrue()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(true);\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithStringValueOn()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('on');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithStringValueFalse()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('false');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithBooleanValueFalse()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(false);\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueYes()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('yes');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithStringValueN()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('n');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueNo()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('no');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueOff()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('off');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueY()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('y');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testConstructorWithClassCastException()\n {\n // set the expected exception\n $this->setExpectedException('\\AppserverIo\\Lang\\ClassCastException');\n // try to initialize a new Boolean instance\n $boolean = new Boolean('xxx');\n }", "public function testMethodToStringWithStringValueN()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(true);\n // check that the two boolean are equal\n $this->assertEquals(new Strng('true'), $boolean->toString());\n }", "public function __construct($value)\n {\n $this->value = (bool) $value;\n }", "public function testConstruct() {\n $result = new ValidationResult(TRUE, 200);\n\n $this->assertTrue($result instanceOf ValidationResult);\n }", "public function testParseBoolean(): void {\n\n $this->assertEquals(0, IntegerHelper::parseBoolean(null));\n $this->assertEquals(0, IntegerHelper::parseBoolean(false));\n $this->assertEquals(1, IntegerHelper::parseBoolean(true));\n }", "public function testConstruct()\n {\n $instance = new IsType('string');\n\n $reflex = new \\ReflectionProperty(IsType::class, 'type');\n $reflex->setAccessible(true);\n\n $this->assertEquals('string', $reflex->getValue($instance));\n\n $this->expectException(\\UnexpectedValueException::class);\n $this->expectExceptionMessage('function is_test does not exist');\n $instance = new IsType('test');\n }", "public function testGetClass()\n {\n // check for the correct class name\n $this->assertEquals('AppserverIo\\Lang\\Boolean', Boolean::__getClass());\n }", "public function testGetTypeName()\n {\n $this->variable($this->_bool->getTypeName())\n ->isIdenticalTo(_T('boolean'));\n }", "public static function create($value): self\n {\n if (is_object($value)) {\n if (method_exists($value, 'toString')) {\n $value = $value->toString();\n } elseif (method_exists($value, '__toString')) {\n $value = $value->__toString();\n } else {\n throw new InvalidArgumentException(\n 'Input objects must hav a \"toString()\" or \"__toString()\" method',\n 400\n );\n }\n }\n if ($value === true || $value === false) {\n throw new InvalidArgumentException(\n 'true and false are not acceptable input',\n 400\n );\n }\n return new static((string)$value);\n }", "public function testFormatBool()\n {\n $caster = new DataToArrayCaster();\n $caster->cast(true);\n }", "function testBooleanDataType() {\n $data = array(\n 'id' => 1,\n 'booleanfield' => true,\n );\n $this->insertValues($data);\n $this->selectAndCheck($data);\n \n $data = array(\n 'id' => 2,\n 'booleanfield' => false,\n );\n $this->insertValues($data);\n $this->selectAndCheck($data);\n }", "public function test_true_is_true() {\n\t\t$this->assertTrue( true );\n\t\t$this->assertFalse( false );\n\t}", "public function convert()\n {\n $this->assertSame('yes', Booleans::convert(true, 'yes', 'no'));\n $this->assertSame('bar', Booleans::convert(false, 'foo', 'bar'));\n }", "public function convert()\n {\n $this->assertSame('yes', Booleans::convert(true, 'yes', 'no'));\n $this->assertSame('bar', Booleans::convert(false, 'foo', 'bar'));\n }", "public function testBaseProperties()\n {\n $muliple = $this->_bool->isMultiValued();\n $this->boolean($muliple)->isFalse();\n\n $required = $this->_bool->isRequired();\n //should'nt that one be false?\n $this->variable($required)->isNull();\n\n $name = $this->_bool->getName();\n $this->variable($name)->isNull();\n\n $has_fixed_values = $this->_bool->hasFixedValues();\n $this->boolean($has_fixed_values)->isFalse();\n\n $has_data = $this->_bool->hasData();\n $this->boolean($has_data)->isTrue();\n\n $has_w = $this->_bool->hasWidth();\n $this->boolean($has_w)->isFalse();\n\n $has_h = $this->_bool->hasHeight();\n $this->boolean($has_h)->isFalse();\n\n $has_s = $this->_bool->hasSize();\n $this->boolean($has_s)->isFalse();\n\n $perms = $this->_bool->getPerm();\n $this->variable($perms)->isNull();\n\n $width = $this->_bool->getWidth();\n $this->variable($width)->isNull();\n\n $height = $this->_bool->getHeight();\n $this->variable($height)->isNull();\n\n $repeat = $this->_bool->getRepeat();\n $this->variable($repeat)->isNull();\n\n $size = $this->_bool->getSize();\n $this->variable($size)->isNull();\n\n $values = $this->_bool->getValues();\n $this->boolean($values)->isFalse();\n }", "public function testBoolean(): void\n {\n $validator = new Validator();\n $this->assertProxyMethod($validator, 'boolean');\n $this->assertNotEmpty($validator->validate(['username' => 'not a boolean']));\n\n $fieldName = 'field_name';\n $rule = 'boolean';\n $expectedMessage = 'The provided value must be a boolean';\n $this->assertValidationMessage($fieldName, $rule, $expectedMessage);\n }", "public function testSerializeAndUnserialize()\n {\n // initialize a Boolean instance and clone it\n $booleanOne = new Boolean(true);\n $clonedOne = clone $booleanOne;\n // serialize/unserialize the Boolean value\n $booleanOne->unserialize($booleanOne->serialize());\n // check that the two Booleans are equal\n $this->assertEquals($clonedOne, $booleanOne);\n }", "public function testFilterBoolean()\n {\n $dirtyVal = 'This will be casted to true';\n $expectedResult = true;\n $filterInstance = new Filter();\n $cleanVal = $filterInstance->filterBool($dirtyVal);\n $this->assertEquals($expectedResult, $cleanVal);\n $dirtyFalseVal = 0; //Will be casted to false\n $expectedFalseResult = false;\n $cleanFalse = $filterInstance->filterBool($dirtyFalseVal);\n $this->assertEquals($expectedFalseResult, $cleanFalse);\n }", "public function testAssertIsBool() {\n\t\t$this->assertIsBool( true );\n\t}", "public function __construct() {\n\n\t\treturn true;\n\n\t}", "public function test___construct() {\n\t\t}" ]
[ "0.7909234", "0.7627559", "0.7607171", "0.756328", "0.7483406", "0.7429585", "0.7423207", "0.73852897", "0.73491037", "0.7270301", "0.72206795", "0.658033", "0.6527102", "0.64833206", "0.63735557", "0.6300989", "0.628108", "0.6268497", "0.626518", "0.62476385", "0.62233514", "0.6184889", "0.6184889", "0.6157241", "0.61420786", "0.6128415", "0.61125726", "0.59688723", "0.5937522", "0.5902988" ]
0.7971125
0
This test checks the Boolean's __constructor() method with a valid string value 'on'.
public function testToStringWithStringValueOn() { // initialize a new Boolean instance $boolean = new Boolean('on'); // check that the two booleans are equal $this->assertEquals('true', $boolean->__toString()); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function testToStringWithStringValueOff()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('off');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueTrue()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('true');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithBooleanValueTrue()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(true);\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testConstructorWithClassCastException()\n {\n // set the expected exception\n $this->setExpectedException('\\AppserverIo\\Lang\\ClassCastException');\n // try to initialize a new Boolean instance\n $boolean = new Boolean('xxx');\n }", "public function testToStringWithStringValueFalse()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('false');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithBooleanValueFalse()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(false);\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueN()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('n');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueYes()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('yes');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithStringValueNo()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('no');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function __construct($value)\n {\n $this->value = (bool) $value;\n }", "public function testToStringWithStringValueY()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('y');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testMethodToStringWithStringValueN()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(true);\n // check that the two boolean are equal\n $this->assertEquals(new Strng('true'), $boolean->toString());\n }", "public function testConstruct()\n {\n $instance = new IsType('string');\n\n $reflex = new \\ReflectionProperty(IsType::class, 'type');\n $reflex->setAccessible(true);\n\n $this->assertEquals('string', $reflex->getValue($instance));\n\n $this->expectException(\\UnexpectedValueException::class);\n $this->expectExceptionMessage('function is_test does not exist');\n $instance = new IsType('test');\n }", "public function __construct() {\n\n\t\treturn true;\n\n\t}", "public function __construct()\n {\n $this->setTypes(IDumperManager::T_BOOLEAN);\n }", "public function testConstruct() {\n $result = new ValidationResult(TRUE, 200);\n\n $this->assertTrue($result instanceOf ValidationResult);\n }", "public function testFormatBool()\n {\n $caster = new DataToArrayCaster();\n $caster->cast(true);\n }", "function testBooleanDataType() {\n $data = array(\n 'id' => 1,\n 'booleanfield' => true,\n );\n $this->insertValues($data);\n $this->selectAndCheck($data);\n \n $data = array(\n 'id' => 2,\n 'booleanfield' => false,\n );\n $this->insertValues($data);\n $this->selectAndCheck($data);\n }", "public function test___construct() {\n\t\t}", "public function testGetClass()\n {\n // check for the correct class name\n $this->assertEquals('AppserverIo\\Lang\\Boolean', Boolean::__getClass());\n }", "protected function setUp()\n {\n $this->object = new BooleanValidator();\n }", "public function testBaseProperties()\n {\n $muliple = $this->_bool->isMultiValued();\n $this->boolean($muliple)->isFalse();\n\n $required = $this->_bool->isRequired();\n //should'nt that one be false?\n $this->variable($required)->isNull();\n\n $name = $this->_bool->getName();\n $this->variable($name)->isNull();\n\n $has_fixed_values = $this->_bool->hasFixedValues();\n $this->boolean($has_fixed_values)->isFalse();\n\n $has_data = $this->_bool->hasData();\n $this->boolean($has_data)->isTrue();\n\n $has_w = $this->_bool->hasWidth();\n $this->boolean($has_w)->isFalse();\n\n $has_h = $this->_bool->hasHeight();\n $this->boolean($has_h)->isFalse();\n\n $has_s = $this->_bool->hasSize();\n $this->boolean($has_s)->isFalse();\n\n $perms = $this->_bool->getPerm();\n $this->variable($perms)->isNull();\n\n $width = $this->_bool->getWidth();\n $this->variable($width)->isNull();\n\n $height = $this->_bool->getHeight();\n $this->variable($height)->isNull();\n\n $repeat = $this->_bool->getRepeat();\n $this->variable($repeat)->isNull();\n\n $size = $this->_bool->getSize();\n $this->variable($size)->isNull();\n\n $values = $this->_bool->getValues();\n $this->boolean($values)->isFalse();\n }", "public function testGetTypeName()\n {\n $this->variable($this->_bool->getTypeName())\n ->isIdenticalTo(_T('boolean'));\n }", "private function __construct() {\n\t\treturn false;\n\t}", "public function testParseBoolean(): void {\n\n $this->assertEquals(0, IntegerHelper::parseBoolean(null));\n $this->assertEquals(0, IntegerHelper::parseBoolean(false));\n $this->assertEquals(1, IntegerHelper::parseBoolean(true));\n }", "public function convert()\n {\n $this->assertSame('yes', Booleans::convert(true, 'yes', 'no'));\n $this->assertSame('bar', Booleans::convert(false, 'foo', 'bar'));\n }", "public function convert()\n {\n $this->assertSame('yes', Booleans::convert(true, 'yes', 'no'));\n $this->assertSame('bar', Booleans::convert(false, 'foo', 'bar'));\n }", "public function testBoolean(): void\n {\n $validator = new Validator();\n $this->assertProxyMethod($validator, 'boolean');\n $this->assertNotEmpty($validator->validate(['username' => 'not a boolean']));\n\n $fieldName = 'field_name';\n $rule = 'boolean';\n $expectedMessage = 'The provided value must be a boolean';\n $this->assertValidationMessage($fieldName, $rule, $expectedMessage);\n }", "public function test_construct() {\n\n $state = new TerminalState();\n\n // ensure bold and underscore are turned off\n $this->assertFalse($state->isBold());\n $this->assertFalse($state->isUnderscore());\n\n // ensure the text color is not valid\n $textColor = $state->getTextColor();\n $this->assertInstanceOf(\"ANSI\\\\Color\\\\Color\", $textColor);\n $this->assertFalse($textColor->isValid());\n\n // ensure the fill color is not valid\n $fillColor = $state->getFillColor();\n $this->assertInstanceOf(\"ANSI\\\\Color\\\\Color\", $fillColor);\n $this->assertFalse($fillColor->isValid());\n\n }", "function testIsControllableDefaultsToFalse() {\n // object pattern instead.\n $this->assertFalse($this->user->isControllable());\n }" ]
[ "0.73245823", "0.7196321", "0.7149374", "0.68350935", "0.682177", "0.6812943", "0.67495936", "0.6741007", "0.67123246", "0.6546599", "0.65383726", "0.65291494", "0.6467754", "0.62393457", "0.6200497", "0.6095786", "0.60933185", "0.6089752", "0.59491736", "0.593627", "0.5921638", "0.59132594", "0.58989567", "0.5847871", "0.583501", "0.5813129", "0.5813129", "0.5808027", "0.57512254", "0.57428265" ]
0.76697564
0
This test checks the Boolean's __constructor() method with a valid string value 'yes'.
public function testToStringWithStringValueYes() { // initialize a new Boolean instance $boolean = new Boolean('yes'); // check that the two booleans are equal $this->assertEquals('true', $boolean->__toString()); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function testToStringWithStringValueTrue()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('true');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithBooleanValueTrue()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(true);\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithStringValueNo()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('no');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueY()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('y');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithStringValueFalse()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('false');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueOn()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('on');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithStringValueN()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('n');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithBooleanValueFalse()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(false);\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueOff()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('off');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testConstructorWithClassCastException()\n {\n // set the expected exception\n $this->setExpectedException('\\AppserverIo\\Lang\\ClassCastException');\n // try to initialize a new Boolean instance\n $boolean = new Boolean('xxx');\n }", "public function testMethodToStringWithStringValueN()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(true);\n // check that the two boolean are equal\n $this->assertEquals(new Strng('true'), $boolean->toString());\n }", "public function convert()\n {\n $this->assertSame('yes', Booleans::convert(true, 'yes', 'no'));\n $this->assertSame('bar', Booleans::convert(false, 'foo', 'bar'));\n }", "public function convert()\n {\n $this->assertSame('yes', Booleans::convert(true, 'yes', 'no'));\n $this->assertSame('bar', Booleans::convert(false, 'foo', 'bar'));\n }", "public function testConstruct()\n {\n $instance = new IsType('string');\n\n $reflex = new \\ReflectionProperty(IsType::class, 'type');\n $reflex->setAccessible(true);\n\n $this->assertEquals('string', $reflex->getValue($instance));\n\n $this->expectException(\\UnexpectedValueException::class);\n $this->expectExceptionMessage('function is_test does not exist');\n $instance = new IsType('test');\n }", "public function testConstruct() {\n $result = new ValidationResult(TRUE, 200);\n\n $this->assertTrue($result instanceOf ValidationResult);\n }", "public function __construct($value)\n {\n $this->value = (bool) $value;\n }", "public function testGetClass()\n {\n // check for the correct class name\n $this->assertEquals('AppserverIo\\Lang\\Boolean', Boolean::__getClass());\n }", "public function testParseBoolean(): void {\n\n $this->assertEquals(0, IntegerHelper::parseBoolean(null));\n $this->assertEquals(0, IntegerHelper::parseBoolean(false));\n $this->assertEquals(1, IntegerHelper::parseBoolean(true));\n }", "public function testBaseProperties()\n {\n $muliple = $this->_bool->isMultiValued();\n $this->boolean($muliple)->isFalse();\n\n $required = $this->_bool->isRequired();\n //should'nt that one be false?\n $this->variable($required)->isNull();\n\n $name = $this->_bool->getName();\n $this->variable($name)->isNull();\n\n $has_fixed_values = $this->_bool->hasFixedValues();\n $this->boolean($has_fixed_values)->isFalse();\n\n $has_data = $this->_bool->hasData();\n $this->boolean($has_data)->isTrue();\n\n $has_w = $this->_bool->hasWidth();\n $this->boolean($has_w)->isFalse();\n\n $has_h = $this->_bool->hasHeight();\n $this->boolean($has_h)->isFalse();\n\n $has_s = $this->_bool->hasSize();\n $this->boolean($has_s)->isFalse();\n\n $perms = $this->_bool->getPerm();\n $this->variable($perms)->isNull();\n\n $width = $this->_bool->getWidth();\n $this->variable($width)->isNull();\n\n $height = $this->_bool->getHeight();\n $this->variable($height)->isNull();\n\n $repeat = $this->_bool->getRepeat();\n $this->variable($repeat)->isNull();\n\n $size = $this->_bool->getSize();\n $this->variable($size)->isNull();\n\n $values = $this->_bool->getValues();\n $this->boolean($values)->isFalse();\n }", "function testBooleanDataType() {\n $data = array(\n 'id' => 1,\n 'booleanfield' => true,\n );\n $this->insertValues($data);\n $this->selectAndCheck($data);\n \n $data = array(\n 'id' => 2,\n 'booleanfield' => false,\n );\n $this->insertValues($data);\n $this->selectAndCheck($data);\n }", "public function testGetTypeName()\n {\n $this->variable($this->_bool->getTypeName())\n ->isIdenticalTo(_T('boolean'));\n }", "public function testBoolean(): void\n {\n $validator = new Validator();\n $this->assertProxyMethod($validator, 'boolean');\n $this->assertNotEmpty($validator->validate(['username' => 'not a boolean']));\n\n $fieldName = 'field_name';\n $rule = 'boolean';\n $expectedMessage = 'The provided value must be a boolean';\n $this->assertValidationMessage($fieldName, $rule, $expectedMessage);\n }", "public static function create($value): self\n {\n if (is_object($value)) {\n if (method_exists($value, 'toString')) {\n $value = $value->toString();\n } elseif (method_exists($value, '__toString')) {\n $value = $value->__toString();\n } else {\n throw new InvalidArgumentException(\n 'Input objects must hav a \"toString()\" or \"__toString()\" method',\n 400\n );\n }\n }\n if ($value === true || $value === false) {\n throw new InvalidArgumentException(\n 'true and false are not acceptable input',\n 400\n );\n }\n return new static((string)$value);\n }", "public function testAssertIsBool() {\n\t\t$this->assertIsBool( true );\n\t}", "public function testFormatBool()\n {\n $caster = new DataToArrayCaster();\n $caster->cast(true);\n }", "public function test_true_is_true() {\n\t\t$this->assertTrue( true );\n\t\t$this->assertFalse( false );\n\t}", "public function testSerializeAndUnserialize()\n {\n // initialize a Boolean instance and clone it\n $booleanOne = new Boolean(true);\n $clonedOne = clone $booleanOne;\n // serialize/unserialize the Boolean value\n $booleanOne->unserialize($booleanOne->serialize());\n // check that the two Booleans are equal\n $this->assertEquals($clonedOne, $booleanOne);\n }", "public function test___construct() {\n\t\t}", "public function testStringQuestion()\n {\n // StringQuestion constructor does it job\n $question = new StringQuestion(\"Test question\",\"question for testing\",\"answer...\");\n $this->assertEquals($question->name, \"Test question\");\n $this->assertEquals($question->label, \"question for testing\");\n $this->assertEquals($question->templateText, \"answer...\");\n $this->assertTrue($question->validated);\n\n // Standard validation works\n $this->assertFalse($question->validate()); // The question has empty answer so it is not valid\n $question->answer = \"Answer \";\n $this->assertTrue($question->validate()); // The question has an answer so it trims it and is valid\n $this->assertEquals($question->answer, \"Answer\");\n\n // Custom toString works\n $this->assertEquals($question->to_HTML(), \"question for testing:<br>\" .\n \"<input type='text' name='Test question' placeholder='answer...' value='Answer'>\" . \"<br/>\");\n }", "function testIsControllableDefaultsToFalse() {\n // object pattern instead.\n $this->assertFalse($this->user->isControllable());\n }" ]
[ "0.75402105", "0.74740976", "0.7465754", "0.7401137", "0.7316327", "0.729291", "0.7292696", "0.7252301", "0.713241", "0.71062785", "0.7041847", "0.6413091", "0.6413091", "0.6368821", "0.63663125", "0.6216372", "0.6138241", "0.60810417", "0.6022325", "0.60089296", "0.60047704", "0.5913376", "0.59085524", "0.58852065", "0.58431935", "0.58395976", "0.58184785", "0.5815486", "0.5794433", "0.57403576" ]
0.7895982
0
This test checks the Boolean's __constructor() method with a valid string value 'y'.
public function testToStringWithStringValueY() { // initialize a new Boolean instance $boolean = new Boolean('y'); // check that the two booleans are equal $this->assertEquals('true', $boolean->__toString()); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function testToStringWithStringValueFalse()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('false');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueNo()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('no');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithBooleanValueFalse()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(false);\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueTrue()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('true');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithStringValueN()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('n');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithBooleanValueTrue()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(true);\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithStringValueYes()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('yes');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithStringValueOff()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('off');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueOn()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('on');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testConstructorWithClassCastException()\n {\n // set the expected exception\n $this->setExpectedException('\\AppserverIo\\Lang\\ClassCastException');\n // try to initialize a new Boolean instance\n $boolean = new Boolean('xxx');\n }", "public function testMethodToStringWithStringValueN()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(true);\n // check that the two boolean are equal\n $this->assertEquals(new Strng('true'), $boolean->toString());\n }", "public function testConstruct()\n {\n $instance = new IsType('string');\n\n $reflex = new \\ReflectionProperty(IsType::class, 'type');\n $reflex->setAccessible(true);\n\n $this->assertEquals('string', $reflex->getValue($instance));\n\n $this->expectException(\\UnexpectedValueException::class);\n $this->expectExceptionMessage('function is_test does not exist');\n $instance = new IsType('test');\n }", "public function testConstruct() {\n $result = new ValidationResult(TRUE, 200);\n\n $this->assertTrue($result instanceOf ValidationResult);\n }", "public function __construct($value)\n {\n $this->value = (bool) $value;\n }", "public function testParseBoolean(): void {\n\n $this->assertEquals(0, IntegerHelper::parseBoolean(null));\n $this->assertEquals(0, IntegerHelper::parseBoolean(false));\n $this->assertEquals(1, IntegerHelper::parseBoolean(true));\n }", "public function testGetClass()\n {\n // check for the correct class name\n $this->assertEquals('AppserverIo\\Lang\\Boolean', Boolean::__getClass());\n }", "public function testGetTypeName()\n {\n $this->variable($this->_bool->getTypeName())\n ->isIdenticalTo(_T('boolean'));\n }", "function testIsControllableDefaultsToFalse() {\n // object pattern instead.\n $this->assertFalse($this->user->isControllable());\n }", "function testBooleanDataType() {\n $data = array(\n 'id' => 1,\n 'booleanfield' => true,\n );\n $this->insertValues($data);\n $this->selectAndCheck($data);\n \n $data = array(\n 'id' => 2,\n 'booleanfield' => false,\n );\n $this->insertValues($data);\n $this->selectAndCheck($data);\n }", "public function convert()\n {\n $this->assertSame('yes', Booleans::convert(true, 'yes', 'no'));\n $this->assertSame('bar', Booleans::convert(false, 'foo', 'bar'));\n }", "public function convert()\n {\n $this->assertSame('yes', Booleans::convert(true, 'yes', 'no'));\n $this->assertSame('bar', Booleans::convert(false, 'foo', 'bar'));\n }", "public function testBaseProperties()\n {\n $muliple = $this->_bool->isMultiValued();\n $this->boolean($muliple)->isFalse();\n\n $required = $this->_bool->isRequired();\n //should'nt that one be false?\n $this->variable($required)->isNull();\n\n $name = $this->_bool->getName();\n $this->variable($name)->isNull();\n\n $has_fixed_values = $this->_bool->hasFixedValues();\n $this->boolean($has_fixed_values)->isFalse();\n\n $has_data = $this->_bool->hasData();\n $this->boolean($has_data)->isTrue();\n\n $has_w = $this->_bool->hasWidth();\n $this->boolean($has_w)->isFalse();\n\n $has_h = $this->_bool->hasHeight();\n $this->boolean($has_h)->isFalse();\n\n $has_s = $this->_bool->hasSize();\n $this->boolean($has_s)->isFalse();\n\n $perms = $this->_bool->getPerm();\n $this->variable($perms)->isNull();\n\n $width = $this->_bool->getWidth();\n $this->variable($width)->isNull();\n\n $height = $this->_bool->getHeight();\n $this->variable($height)->isNull();\n\n $repeat = $this->_bool->getRepeat();\n $this->variable($repeat)->isNull();\n\n $size = $this->_bool->getSize();\n $this->variable($size)->isNull();\n\n $values = $this->_bool->getValues();\n $this->boolean($values)->isFalse();\n }", "public function testFormatBool()\n {\n $caster = new DataToArrayCaster();\n $caster->cast(true);\n }", "public static function create($value): self\n {\n if (is_object($value)) {\n if (method_exists($value, 'toString')) {\n $value = $value->toString();\n } elseif (method_exists($value, '__toString')) {\n $value = $value->__toString();\n } else {\n throw new InvalidArgumentException(\n 'Input objects must hav a \"toString()\" or \"__toString()\" method',\n 400\n );\n }\n }\n if ($value === true || $value === false) {\n throw new InvalidArgumentException(\n 'true and false are not acceptable input',\n 400\n );\n }\n return new static((string)$value);\n }", "public function test_construct() {\n\n $state = new TerminalState();\n\n // ensure bold and underscore are turned off\n $this->assertFalse($state->isBold());\n $this->assertFalse($state->isUnderscore());\n\n // ensure the text color is not valid\n $textColor = $state->getTextColor();\n $this->assertInstanceOf(\"ANSI\\\\Color\\\\Color\", $textColor);\n $this->assertFalse($textColor->isValid());\n\n // ensure the fill color is not valid\n $fillColor = $state->getFillColor();\n $this->assertInstanceOf(\"ANSI\\\\Color\\\\Color\", $fillColor);\n $this->assertFalse($fillColor->isValid());\n\n }", "public function test___construct() {\n\t\t}", "public function testFilterBoolean()\n {\n $dirtyVal = 'This will be casted to true';\n $expectedResult = true;\n $filterInstance = new Filter();\n $cleanVal = $filterInstance->filterBool($dirtyVal);\n $this->assertEquals($expectedResult, $cleanVal);\n $dirtyFalseVal = 0; //Will be casted to false\n $expectedFalseResult = false;\n $cleanFalse = $filterInstance->filterBool($dirtyFalseVal);\n $this->assertEquals($expectedFalseResult, $cleanFalse);\n }", "public function test__constructGood()\n {\n $obj = new RegexSharedMatch('str', 'str', [], true);\n $this->assertInstanceOf('Evoke\\Network\\URI\\Router\\Rule\\RegexSharedMatch', $obj);\n }", "public function testBoolean(): void\n {\n $validator = new Validator();\n $this->assertProxyMethod($validator, 'boolean');\n $this->assertNotEmpty($validator->validate(['username' => 'not a boolean']));\n\n $fieldName = 'field_name';\n $rule = 'boolean';\n $expectedMessage = 'The provided value must be a boolean';\n $this->assertValidationMessage($fieldName, $rule, $expectedMessage);\n }", "public function testSerializeAndUnserialize()\n {\n // initialize a Boolean instance and clone it\n $booleanOne = new Boolean(true);\n $clonedOne = clone $booleanOne;\n // serialize/unserialize the Boolean value\n $booleanOne->unserialize($booleanOne->serialize());\n // check that the two Booleans are equal\n $this->assertEquals($clonedOne, $booleanOne);\n }" ]
[ "0.7375546", "0.731951", "0.7298296", "0.72706085", "0.7245128", "0.72063386", "0.71767247", "0.7107216", "0.70607567", "0.7009282", "0.69264764", "0.6425042", "0.62761766", "0.6155163", "0.6153617", "0.60697854", "0.6062446", "0.5940971", "0.59399194", "0.5929705", "0.5929705", "0.5903791", "0.5884792", "0.58830345", "0.58522844", "0.5844712", "0.5843082", "0.58036524", "0.5797647", "0.57669216" ]
0.7881159
0
This test checks the Boolean's __constructor() method with a valid boolean value FALSE.
public function testToStringWithBooleanValueFalse() { // initialize a new Boolean instance $boolean = new Boolean(false); // check that the two boolean are equal $this->assertEquals('false', $boolean->__toString()); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function testToStringWithStringValueFalse()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('false');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testConstructorWithClassCastException()\n {\n // set the expected exception\n $this->setExpectedException('\\AppserverIo\\Lang\\ClassCastException');\n // try to initialize a new Boolean instance\n $boolean = new Boolean('xxx');\n }", "public function testToStringWithStringValueOff()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('off');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueNo()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('no');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithBooleanValueTrue()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(true);\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "function testIsControllableDefaultsToFalse() {\n // object pattern instead.\n $this->assertFalse($this->user->isControllable());\n }", "public function testBaseProperties()\n {\n $muliple = $this->_bool->isMultiValued();\n $this->boolean($muliple)->isFalse();\n\n $required = $this->_bool->isRequired();\n //should'nt that one be false?\n $this->variable($required)->isNull();\n\n $name = $this->_bool->getName();\n $this->variable($name)->isNull();\n\n $has_fixed_values = $this->_bool->hasFixedValues();\n $this->boolean($has_fixed_values)->isFalse();\n\n $has_data = $this->_bool->hasData();\n $this->boolean($has_data)->isTrue();\n\n $has_w = $this->_bool->hasWidth();\n $this->boolean($has_w)->isFalse();\n\n $has_h = $this->_bool->hasHeight();\n $this->boolean($has_h)->isFalse();\n\n $has_s = $this->_bool->hasSize();\n $this->boolean($has_s)->isFalse();\n\n $perms = $this->_bool->getPerm();\n $this->variable($perms)->isNull();\n\n $width = $this->_bool->getWidth();\n $this->variable($width)->isNull();\n\n $height = $this->_bool->getHeight();\n $this->variable($height)->isNull();\n\n $repeat = $this->_bool->getRepeat();\n $this->variable($repeat)->isNull();\n\n $size = $this->_bool->getSize();\n $this->variable($size)->isNull();\n\n $values = $this->_bool->getValues();\n $this->boolean($values)->isFalse();\n }", "public function __construct($value)\n {\n $this->value = (bool) $value;\n }", "public function testAssertIsNotBool() {\n\t\tself::assertIsNotBool( null );\n\t}", "public function testToStringWithStringValueTrue()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('true');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testFilterBoolean()\n {\n $dirtyVal = 'This will be casted to true';\n $expectedResult = true;\n $filterInstance = new Filter();\n $cleanVal = $filterInstance->filterBool($dirtyVal);\n $this->assertEquals($expectedResult, $cleanVal);\n $dirtyFalseVal = 0; //Will be casted to false\n $expectedFalseResult = false;\n $cleanFalse = $filterInstance->filterBool($dirtyFalseVal);\n $this->assertEquals($expectedFalseResult, $cleanFalse);\n }", "public function testBoolean(): void\n {\n $validator = new Validator();\n $this->assertProxyMethod($validator, 'boolean');\n $this->assertNotEmpty($validator->validate(['username' => 'not a boolean']));\n\n $fieldName = 'field_name';\n $rule = 'boolean';\n $expectedMessage = 'The provided value must be a boolean';\n $this->assertValidationMessage($fieldName, $rule, $expectedMessage);\n }", "public function testSerializeAndUnserialize()\n {\n // initialize a Boolean instance and clone it\n $booleanOne = new Boolean(true);\n $clonedOne = clone $booleanOne;\n // serialize/unserialize the Boolean value\n $booleanOne->unserialize($booleanOne->serialize());\n // check that the two Booleans are equal\n $this->assertEquals($clonedOne, $booleanOne);\n }", "function testBooleanDataType() {\n $data = array(\n 'id' => 1,\n 'booleanfield' => true,\n );\n $this->insertValues($data);\n $this->selectAndCheck($data);\n \n $data = array(\n 'id' => 2,\n 'booleanfield' => false,\n );\n $this->insertValues($data);\n $this->selectAndCheck($data);\n }", "public function testToStringWithStringValueN()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('n');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testAssertIsBool() {\n\t\t$this->assertIsBool( true );\n\t}", "public function test_true_is_true() {\n\t\t$this->assertTrue( true );\n\t\t$this->assertFalse( false );\n\t}", "public function testToStringWithStringValueOn()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('on');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testConstruct() {\n $result = new ValidationResult(TRUE, 200);\n\n $this->assertTrue($result instanceOf ValidationResult);\n }", "public function testToStringWithStringValueY()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('y');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "private function __construct() {\n\t\treturn false;\n\t}", "public function bool();", "public function testToStringWithStringValueYes()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('yes');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testParseBoolean(): void {\n\n $this->assertEquals(0, IntegerHelper::parseBoolean(null));\n $this->assertEquals(0, IntegerHelper::parseBoolean(false));\n $this->assertEquals(1, IntegerHelper::parseBoolean(true));\n }", "public function isBoolean(): bool\n {\n return false;\n }", "public static function Bool(): bool {\n return (bool)\\random_int(0, 1);\n }", "public function getBooleanValue() {}", "public function testFormatBool()\n {\n $caster = new DataToArrayCaster();\n $caster->cast(true);\n }", "public static function booleanValue()\n {\n return Hamcrest_Type_IsBoolean::booleanValue();\n }", "public function testGetClass()\n {\n // check for the correct class name\n $this->assertEquals('AppserverIo\\Lang\\Boolean', Boolean::__getClass());\n }" ]
[ "0.7520608", "0.7417889", "0.7108433", "0.70699286", "0.70505774", "0.6974088", "0.69351137", "0.6890679", "0.6783401", "0.67102146", "0.67037785", "0.66500527", "0.6577179", "0.6559974", "0.6518859", "0.65016365", "0.64571136", "0.6443374", "0.6437326", "0.6414438", "0.63548154", "0.631599", "0.6269255", "0.62467843", "0.62190235", "0.61654013", "0.61646026", "0.6145694", "0.61205643", "0.6114967" ]
0.7774901
0
This test checks the Boolean's __constructor() method with a valid string value 'false'.
public function testToStringWithStringValueFalse() { // initialize a new Boolean instance $boolean = new Boolean('false'); // check that the two boolean are equal $this->assertEquals('false', $boolean->__toString()); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function testToStringWithBooleanValueFalse()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(false);\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueOff()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('off');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueNo()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('no');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueTrue()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('true');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithBooleanValueTrue()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(true);\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithStringValueN()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('n');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueOn()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('on');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithStringValueY()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('y');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testConstructorWithClassCastException()\n {\n // set the expected exception\n $this->setExpectedException('\\AppserverIo\\Lang\\ClassCastException');\n // try to initialize a new Boolean instance\n $boolean = new Boolean('xxx');\n }", "public function testToStringWithStringValueYes()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('yes');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testMethodToStringWithStringValueN()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(true);\n // check that the two boolean are equal\n $this->assertEquals(new Strng('true'), $boolean->toString());\n }", "public function __construct($value)\n {\n $this->value = (bool) $value;\n }", "function testIsControllableDefaultsToFalse() {\n // object pattern instead.\n $this->assertFalse($this->user->isControllable());\n }", "public function testParseBoolean(): void {\n\n $this->assertEquals(0, IntegerHelper::parseBoolean(null));\n $this->assertEquals(0, IntegerHelper::parseBoolean(false));\n $this->assertEquals(1, IntegerHelper::parseBoolean(true));\n }", "public function testGetTypeName()\n {\n $this->variable($this->_bool->getTypeName())\n ->isIdenticalTo(_T('boolean'));\n }", "public function testBaseProperties()\n {\n $muliple = $this->_bool->isMultiValued();\n $this->boolean($muliple)->isFalse();\n\n $required = $this->_bool->isRequired();\n //should'nt that one be false?\n $this->variable($required)->isNull();\n\n $name = $this->_bool->getName();\n $this->variable($name)->isNull();\n\n $has_fixed_values = $this->_bool->hasFixedValues();\n $this->boolean($has_fixed_values)->isFalse();\n\n $has_data = $this->_bool->hasData();\n $this->boolean($has_data)->isTrue();\n\n $has_w = $this->_bool->hasWidth();\n $this->boolean($has_w)->isFalse();\n\n $has_h = $this->_bool->hasHeight();\n $this->boolean($has_h)->isFalse();\n\n $has_s = $this->_bool->hasSize();\n $this->boolean($has_s)->isFalse();\n\n $perms = $this->_bool->getPerm();\n $this->variable($perms)->isNull();\n\n $width = $this->_bool->getWidth();\n $this->variable($width)->isNull();\n\n $height = $this->_bool->getHeight();\n $this->variable($height)->isNull();\n\n $repeat = $this->_bool->getRepeat();\n $this->variable($repeat)->isNull();\n\n $size = $this->_bool->getSize();\n $this->variable($size)->isNull();\n\n $values = $this->_bool->getValues();\n $this->boolean($values)->isFalse();\n }", "public function testFilterBoolean()\n {\n $dirtyVal = 'This will be casted to true';\n $expectedResult = true;\n $filterInstance = new Filter();\n $cleanVal = $filterInstance->filterBool($dirtyVal);\n $this->assertEquals($expectedResult, $cleanVal);\n $dirtyFalseVal = 0; //Will be casted to false\n $expectedFalseResult = false;\n $cleanFalse = $filterInstance->filterBool($dirtyFalseVal);\n $this->assertEquals($expectedFalseResult, $cleanFalse);\n }", "public function testSerializeAndUnserialize()\n {\n // initialize a Boolean instance and clone it\n $booleanOne = new Boolean(true);\n $clonedOne = clone $booleanOne;\n // serialize/unserialize the Boolean value\n $booleanOne->unserialize($booleanOne->serialize());\n // check that the two Booleans are equal\n $this->assertEquals($clonedOne, $booleanOne);\n }", "public function testConstruct() {\n $result = new ValidationResult(TRUE, 200);\n\n $this->assertTrue($result instanceOf ValidationResult);\n }", "public function testConstruct()\n {\n $instance = new IsType('string');\n\n $reflex = new \\ReflectionProperty(IsType::class, 'type');\n $reflex->setAccessible(true);\n\n $this->assertEquals('string', $reflex->getValue($instance));\n\n $this->expectException(\\UnexpectedValueException::class);\n $this->expectExceptionMessage('function is_test does not exist');\n $instance = new IsType('test');\n }", "public function testGetClass()\n {\n // check for the correct class name\n $this->assertEquals('AppserverIo\\Lang\\Boolean', Boolean::__getClass());\n }", "function testBooleanDataType() {\n $data = array(\n 'id' => 1,\n 'booleanfield' => true,\n );\n $this->insertValues($data);\n $this->selectAndCheck($data);\n \n $data = array(\n 'id' => 2,\n 'booleanfield' => false,\n );\n $this->insertValues($data);\n $this->selectAndCheck($data);\n }", "public function testAssertIsNotString() {\n\t\t$this->assertIsNotString( false );\n\t}", "private function __construct() {\n\t\treturn false;\n\t}", "public function testBoolean(): void\n {\n $validator = new Validator();\n $this->assertProxyMethod($validator, 'boolean');\n $this->assertNotEmpty($validator->validate(['username' => 'not a boolean']));\n\n $fieldName = 'field_name';\n $rule = 'boolean';\n $expectedMessage = 'The provided value must be a boolean';\n $this->assertValidationMessage($fieldName, $rule, $expectedMessage);\n }", "public static function create($value): self\n {\n if (is_object($value)) {\n if (method_exists($value, 'toString')) {\n $value = $value->toString();\n } elseif (method_exists($value, '__toString')) {\n $value = $value->__toString();\n } else {\n throw new InvalidArgumentException(\n 'Input objects must hav a \"toString()\" or \"__toString()\" method',\n 400\n );\n }\n }\n if ($value === true || $value === false) {\n throw new InvalidArgumentException(\n 'true and false are not acceptable input',\n 400\n );\n }\n return new static((string)$value);\n }", "public function testFormatBool()\n {\n $caster = new DataToArrayCaster();\n $caster->cast(true);\n }", "public function convertValueNotBool()\n {\n Booleans::convert('abc');\n }", "public function test_true_is_true() {\n\t\t$this->assertTrue( true );\n\t\t$this->assertFalse( false );\n\t}", "public function convert()\n {\n $this->assertSame('yes', Booleans::convert(true, 'yes', 'no'));\n $this->assertSame('bar', Booleans::convert(false, 'foo', 'bar'));\n }" ]
[ "0.8037701", "0.7856545", "0.7784853", "0.75537306", "0.7480595", "0.74626344", "0.73716265", "0.73468053", "0.7241992", "0.70928115", "0.70185125", "0.6530932", "0.63377255", "0.63299334", "0.629852", "0.6249578", "0.6232225", "0.6217891", "0.6202245", "0.61903316", "0.6147673", "0.61328673", "0.612917", "0.61257905", "0.6121059", "0.6091603", "0.60842144", "0.60406274", "0.59243953", "0.59189355" ]
0.8153844
0
This test checks the Boolean's __constructor() method with a valid string value 'off'.
public function testToStringWithStringValueOff() { // initialize a new Boolean instance $boolean = new Boolean('off'); // check that the two boolean are equal $this->assertEquals('false', $boolean->__toString()); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function testToStringWithStringValueFalse()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('false');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueOn()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('on');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithBooleanValueFalse()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(false);\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueNo()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('no');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueTrue()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('true');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testConstructorWithClassCastException()\n {\n // set the expected exception\n $this->setExpectedException('\\AppserverIo\\Lang\\ClassCastException');\n // try to initialize a new Boolean instance\n $boolean = new Boolean('xxx');\n }", "public function testToStringWithStringValueN()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('n');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithBooleanValueTrue()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(true);\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithStringValueY()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('y');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function __construct($value)\n {\n $this->value = (bool) $value;\n }", "public function testToStringWithStringValueYes()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('yes');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testMethodToStringWithStringValueN()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(true);\n // check that the two boolean are equal\n $this->assertEquals(new Strng('true'), $boolean->toString());\n }", "function testIsControllableDefaultsToFalse() {\n // object pattern instead.\n $this->assertFalse($this->user->isControllable());\n }", "public function testConstruct()\n {\n $instance = new IsType('string');\n\n $reflex = new \\ReflectionProperty(IsType::class, 'type');\n $reflex->setAccessible(true);\n\n $this->assertEquals('string', $reflex->getValue($instance));\n\n $this->expectException(\\UnexpectedValueException::class);\n $this->expectExceptionMessage('function is_test does not exist');\n $instance = new IsType('test');\n }", "private function __construct() {\n\t\treturn false;\n\t}", "public function testBaseProperties()\n {\n $muliple = $this->_bool->isMultiValued();\n $this->boolean($muliple)->isFalse();\n\n $required = $this->_bool->isRequired();\n //should'nt that one be false?\n $this->variable($required)->isNull();\n\n $name = $this->_bool->getName();\n $this->variable($name)->isNull();\n\n $has_fixed_values = $this->_bool->hasFixedValues();\n $this->boolean($has_fixed_values)->isFalse();\n\n $has_data = $this->_bool->hasData();\n $this->boolean($has_data)->isTrue();\n\n $has_w = $this->_bool->hasWidth();\n $this->boolean($has_w)->isFalse();\n\n $has_h = $this->_bool->hasHeight();\n $this->boolean($has_h)->isFalse();\n\n $has_s = $this->_bool->hasSize();\n $this->boolean($has_s)->isFalse();\n\n $perms = $this->_bool->getPerm();\n $this->variable($perms)->isNull();\n\n $width = $this->_bool->getWidth();\n $this->variable($width)->isNull();\n\n $height = $this->_bool->getHeight();\n $this->variable($height)->isNull();\n\n $repeat = $this->_bool->getRepeat();\n $this->variable($repeat)->isNull();\n\n $size = $this->_bool->getSize();\n $this->variable($size)->isNull();\n\n $values = $this->_bool->getValues();\n $this->boolean($values)->isFalse();\n }", "public function __construct()\n {\n $this->setTypes(IDumperManager::T_BOOLEAN);\n }", "public function testGetTypeName()\n {\n $this->variable($this->_bool->getTypeName())\n ->isIdenticalTo(_T('boolean'));\n }", "public function testGetClass()\n {\n // check for the correct class name\n $this->assertEquals('AppserverIo\\Lang\\Boolean', Boolean::__getClass());\n }", "public function __construct() {\n\n\t\treturn true;\n\n\t}", "public function test_construct() {\n\n $state = new TerminalState();\n\n // ensure bold and underscore are turned off\n $this->assertFalse($state->isBold());\n $this->assertFalse($state->isUnderscore());\n\n // ensure the text color is not valid\n $textColor = $state->getTextColor();\n $this->assertInstanceOf(\"ANSI\\\\Color\\\\Color\", $textColor);\n $this->assertFalse($textColor->isValid());\n\n // ensure the fill color is not valid\n $fillColor = $state->getFillColor();\n $this->assertInstanceOf(\"ANSI\\\\Color\\\\Color\", $fillColor);\n $this->assertFalse($fillColor->isValid());\n\n }", "public function testFilterBoolean()\n {\n $dirtyVal = 'This will be casted to true';\n $expectedResult = true;\n $filterInstance = new Filter();\n $cleanVal = $filterInstance->filterBool($dirtyVal);\n $this->assertEquals($expectedResult, $cleanVal);\n $dirtyFalseVal = 0; //Will be casted to false\n $expectedFalseResult = false;\n $cleanFalse = $filterInstance->filterBool($dirtyFalseVal);\n $this->assertEquals($expectedFalseResult, $cleanFalse);\n }", "function testBooleanDataType() {\n $data = array(\n 'id' => 1,\n 'booleanfield' => true,\n );\n $this->insertValues($data);\n $this->selectAndCheck($data);\n \n $data = array(\n 'id' => 2,\n 'booleanfield' => false,\n );\n $this->insertValues($data);\n $this->selectAndCheck($data);\n }", "public function testSerializeAndUnserialize()\n {\n // initialize a Boolean instance and clone it\n $booleanOne = new Boolean(true);\n $clonedOne = clone $booleanOne;\n // serialize/unserialize the Boolean value\n $booleanOne->unserialize($booleanOne->serialize());\n // check that the two Booleans are equal\n $this->assertEquals($clonedOne, $booleanOne);\n }", "public function testFormatBool()\n {\n $caster = new DataToArrayCaster();\n $caster->cast(true);\n }", "public function testDenormalizeFalsePseudoType()\n {\n $propertyTypeExtractor = new PropertyInfoExtractor([], [new ReflectionExtractor()], [], [], []);\n $objectNormalizer = new ObjectNormalizer(null, null, null, $propertyTypeExtractor);\n\n $serializer = new Serializer([$objectNormalizer]);\n\n // when denormalizing some data into an object where an attribute uses the false pseudo type\n /** @var Php80Dummy $object */\n $object = $serializer->denormalize(['canBeFalseOrString' => false], Php80Dummy::class);\n\n // then the attribute that declared false was filled correctly\n $this->assertFalse($object->canBeFalseOrString);\n }", "public function test___construct() {\n\t\t}", "public function testConstruct() {\n $result = new ValidationResult(TRUE, 200);\n\n $this->assertTrue($result instanceOf ValidationResult);\n }", "public function testConstructorInTestMode() : void\n {\n $this->assertNull($this->startConstructorTest(true));\n }", "protected function setUp()\n {\n $this->object = new BooleanValidator();\n }" ]
[ "0.7311244", "0.7250987", "0.7171703", "0.70256275", "0.68597794", "0.6810794", "0.6744213", "0.67307967", "0.65408266", "0.6477554", "0.6377854", "0.6333676", "0.63015705", "0.6142871", "0.6112387", "0.60615605", "0.59844923", "0.59730756", "0.595389", "0.5952161", "0.5928674", "0.5903257", "0.58820313", "0.58816123", "0.58412397", "0.57814604", "0.5781292", "0.57474065", "0.57134485", "0.5677412" ]
0.79416376
0
This test checks the Boolean's __constructor() method with a valid string value 'no'.
public function testToStringWithStringValueNo() { // initialize a new Boolean instance $boolean = new Boolean('no'); // check that the two boolean are equal $this->assertEquals('false', $boolean->__toString()); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function testToStringWithStringValueFalse()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('false');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueN()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('n');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithBooleanValueFalse()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(false);\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueOff()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('off');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueYes()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('yes');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithStringValueTrue()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('true');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithStringValueY()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('y');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testConstructorWithClassCastException()\n {\n // set the expected exception\n $this->setExpectedException('\\AppserverIo\\Lang\\ClassCastException');\n // try to initialize a new Boolean instance\n $boolean = new Boolean('xxx');\n }", "public function testToStringWithStringValueOn()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('on');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithBooleanValueTrue()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(true);\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testMethodToStringWithStringValueN()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(true);\n // check that the two boolean are equal\n $this->assertEquals(new Strng('true'), $boolean->toString());\n }", "public function __construct($value)\n {\n $this->value = (bool) $value;\n }", "public function testConstruct()\n {\n $instance = new IsType('string');\n\n $reflex = new \\ReflectionProperty(IsType::class, 'type');\n $reflex->setAccessible(true);\n\n $this->assertEquals('string', $reflex->getValue($instance));\n\n $this->expectException(\\UnexpectedValueException::class);\n $this->expectExceptionMessage('function is_test does not exist');\n $instance = new IsType('test');\n }", "public function testConstruct() {\n $result = new ValidationResult(TRUE, 200);\n\n $this->assertTrue($result instanceOf ValidationResult);\n }", "function testIsControllableDefaultsToFalse() {\n // object pattern instead.\n $this->assertFalse($this->user->isControllable());\n }", "public function testParseBoolean(): void {\n\n $this->assertEquals(0, IntegerHelper::parseBoolean(null));\n $this->assertEquals(0, IntegerHelper::parseBoolean(false));\n $this->assertEquals(1, IntegerHelper::parseBoolean(true));\n }", "private function __construct() {\n\t\treturn false;\n\t}", "function testBooleanDataType() {\n $data = array(\n 'id' => 1,\n 'booleanfield' => true,\n );\n $this->insertValues($data);\n $this->selectAndCheck($data);\n \n $data = array(\n 'id' => 2,\n 'booleanfield' => false,\n );\n $this->insertValues($data);\n $this->selectAndCheck($data);\n }", "public static function create($value): self\n {\n if (is_object($value)) {\n if (method_exists($value, 'toString')) {\n $value = $value->toString();\n } elseif (method_exists($value, '__toString')) {\n $value = $value->__toString();\n } else {\n throw new InvalidArgumentException(\n 'Input objects must hav a \"toString()\" or \"__toString()\" method',\n 400\n );\n }\n }\n if ($value === true || $value === false) {\n throw new InvalidArgumentException(\n 'true and false are not acceptable input',\n 400\n );\n }\n return new static((string)$value);\n }", "public function testGetTypeName()\n {\n $this->variable($this->_bool->getTypeName())\n ->isIdenticalTo(_T('boolean'));\n }", "public function test___construct() {\n\t\t}", "public function testAssertIsNotString() {\n\t\t$this->assertIsNotString( false );\n\t}", "public function testBaseProperties()\n {\n $muliple = $this->_bool->isMultiValued();\n $this->boolean($muliple)->isFalse();\n\n $required = $this->_bool->isRequired();\n //should'nt that one be false?\n $this->variable($required)->isNull();\n\n $name = $this->_bool->getName();\n $this->variable($name)->isNull();\n\n $has_fixed_values = $this->_bool->hasFixedValues();\n $this->boolean($has_fixed_values)->isFalse();\n\n $has_data = $this->_bool->hasData();\n $this->boolean($has_data)->isTrue();\n\n $has_w = $this->_bool->hasWidth();\n $this->boolean($has_w)->isFalse();\n\n $has_h = $this->_bool->hasHeight();\n $this->boolean($has_h)->isFalse();\n\n $has_s = $this->_bool->hasSize();\n $this->boolean($has_s)->isFalse();\n\n $perms = $this->_bool->getPerm();\n $this->variable($perms)->isNull();\n\n $width = $this->_bool->getWidth();\n $this->variable($width)->isNull();\n\n $height = $this->_bool->getHeight();\n $this->variable($height)->isNull();\n\n $repeat = $this->_bool->getRepeat();\n $this->variable($repeat)->isNull();\n\n $size = $this->_bool->getSize();\n $this->variable($size)->isNull();\n\n $values = $this->_bool->getValues();\n $this->boolean($values)->isFalse();\n }", "public function convert()\n {\n $this->assertSame('yes', Booleans::convert(true, 'yes', 'no'));\n $this->assertSame('bar', Booleans::convert(false, 'foo', 'bar'));\n }", "public function convert()\n {\n $this->assertSame('yes', Booleans::convert(true, 'yes', 'no'));\n $this->assertSame('bar', Booleans::convert(false, 'foo', 'bar'));\n }", "public function testGetClass()\n {\n // check for the correct class name\n $this->assertEquals('AppserverIo\\Lang\\Boolean', Boolean::__getClass());\n }", "public function testGenericConstructor()\n {\n $this->uut = new Record();\n $this->assertTrue($this->uut->isEmpty());\n }", "public function __construct() {\n\n\t\treturn true;\n\n\t}", "public function test___construct()\r\n\t{\r\n }", "public function testBoolean(): void\n {\n $validator = new Validator();\n $this->assertProxyMethod($validator, 'boolean');\n $this->assertNotEmpty($validator->validate(['username' => 'not a boolean']));\n\n $fieldName = 'field_name';\n $rule = 'boolean';\n $expectedMessage = 'The provided value must be a boolean';\n $this->assertValidationMessage($fieldName, $rule, $expectedMessage);\n }" ]
[ "0.7636145", "0.75112176", "0.7480177", "0.74285465", "0.7383426", "0.72810584", "0.7255609", "0.7166584", "0.71553206", "0.7140867", "0.71396965", "0.6317536", "0.63092244", "0.6284887", "0.6226726", "0.6121393", "0.6027752", "0.60144055", "0.6007772", "0.60063356", "0.5991601", "0.5980779", "0.5968914", "0.594529", "0.594529", "0.59356904", "0.59258115", "0.58486617", "0.5819029", "0.5791964" ]
0.79390687
0
This test checks the Boolean's __constructor() method with a valid string value 'n'.
public function testToStringWithStringValueN() { // initialize a new Boolean instance $boolean = new Boolean('n'); // check that the two boolean are equal $this->assertEquals('false', $boolean->__toString()); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function testMethodToStringWithStringValueN()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(true);\n // check that the two boolean are equal\n $this->assertEquals(new Strng('true'), $boolean->toString());\n }", "public function testToStringWithStringValueNo()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('no');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueFalse()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('false');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueTrue()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('true');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithStringValueY()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('y');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithBooleanValueFalse()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(false);\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithBooleanValueTrue()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(true);\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithStringValueOn()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('on');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testToStringWithStringValueOff()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('off');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testToStringWithStringValueYes()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('yes');\n // check that the two booleans are equal\n $this->assertEquals('true', $boolean->__toString());\n }", "public function testConstructorWithClassCastException()\n {\n // set the expected exception\n $this->setExpectedException('\\AppserverIo\\Lang\\ClassCastException');\n // try to initialize a new Boolean instance\n $boolean = new Boolean('xxx');\n }", "public function testParseBoolean(): void {\n\n $this->assertEquals(0, IntegerHelper::parseBoolean(null));\n $this->assertEquals(0, IntegerHelper::parseBoolean(false));\n $this->assertEquals(1, IntegerHelper::parseBoolean(true));\n }", "public function testConstruct()\n {\n $instance = new IsType('string');\n\n $reflex = new \\ReflectionProperty(IsType::class, 'type');\n $reflex->setAccessible(true);\n\n $this->assertEquals('string', $reflex->getValue($instance));\n\n $this->expectException(\\UnexpectedValueException::class);\n $this->expectExceptionMessage('function is_test does not exist');\n $instance = new IsType('test');\n }", "public function testConstruct() {\n $result = new ValidationResult(TRUE, 200);\n\n $this->assertTrue($result instanceOf ValidationResult);\n }", "public function testConstructWithTooShortValue()\n {\n new Name('');\n }", "public function test_construct() {\n\n $state = new TerminalState();\n\n // ensure bold and underscore are turned off\n $this->assertFalse($state->isBold());\n $this->assertFalse($state->isUnderscore());\n\n // ensure the text color is not valid\n $textColor = $state->getTextColor();\n $this->assertInstanceOf(\"ANSI\\\\Color\\\\Color\", $textColor);\n $this->assertFalse($textColor->isValid());\n\n // ensure the fill color is not valid\n $fillColor = $state->getFillColor();\n $this->assertInstanceOf(\"ANSI\\\\Color\\\\Color\", $fillColor);\n $this->assertFalse($fillColor->isValid());\n\n }", "public static function create($value): self\n {\n if (is_object($value)) {\n if (method_exists($value, 'toString')) {\n $value = $value->toString();\n } elseif (method_exists($value, '__toString')) {\n $value = $value->__toString();\n } else {\n throw new InvalidArgumentException(\n 'Input objects must hav a \"toString()\" or \"__toString()\" method',\n 400\n );\n }\n }\n if ($value === true || $value === false) {\n throw new InvalidArgumentException(\n 'true and false are not acceptable input',\n 400\n );\n }\n return new static((string)$value);\n }", "public function __construct($value)\n {\n $this->value = (bool) $value;\n }", "public function testGetTypeName()\n {\n $this->variable($this->_bool->getTypeName())\n ->isIdenticalTo(_T('boolean'));\n }", "public function testBaseProperties()\n {\n $muliple = $this->_bool->isMultiValued();\n $this->boolean($muliple)->isFalse();\n\n $required = $this->_bool->isRequired();\n //should'nt that one be false?\n $this->variable($required)->isNull();\n\n $name = $this->_bool->getName();\n $this->variable($name)->isNull();\n\n $has_fixed_values = $this->_bool->hasFixedValues();\n $this->boolean($has_fixed_values)->isFalse();\n\n $has_data = $this->_bool->hasData();\n $this->boolean($has_data)->isTrue();\n\n $has_w = $this->_bool->hasWidth();\n $this->boolean($has_w)->isFalse();\n\n $has_h = $this->_bool->hasHeight();\n $this->boolean($has_h)->isFalse();\n\n $has_s = $this->_bool->hasSize();\n $this->boolean($has_s)->isFalse();\n\n $perms = $this->_bool->getPerm();\n $this->variable($perms)->isNull();\n\n $width = $this->_bool->getWidth();\n $this->variable($width)->isNull();\n\n $height = $this->_bool->getHeight();\n $this->variable($height)->isNull();\n\n $repeat = $this->_bool->getRepeat();\n $this->variable($repeat)->isNull();\n\n $size = $this->_bool->getSize();\n $this->variable($size)->isNull();\n\n $values = $this->_bool->getValues();\n $this->boolean($values)->isFalse();\n }", "public function test___construct() {\n\t\t}", "public function testAssertIsNotString() {\n\t\t$this->assertIsNotString( false );\n\t}", "public function testGetClass()\n {\n // check for the correct class name\n $this->assertEquals('AppserverIo\\Lang\\Boolean', Boolean::__getClass());\n }", "public function testGenericConstructor()\n {\n $this->uut = new Record();\n $this->assertTrue($this->uut->isEmpty());\n }", "public function test__constructGood()\n {\n $obj = new RegexSharedMatch('str', 'str', [], true);\n $this->assertInstanceOf('Evoke\\Network\\URI\\Router\\Rule\\RegexSharedMatch', $obj);\n }", "public function testConstructing()\n {\n $oTag = oxNew('oxTag');\n $this->assertEquals(\"\", $oTag->get());\n\n $oTag = new oxTag(\"test\");\n $this->assertEquals(\"test\", $oTag->get());\n }", "public function convert()\n {\n $this->assertSame('yes', Booleans::convert(true, 'yes', 'no'));\n $this->assertSame('bar', Booleans::convert(false, 'foo', 'bar'));\n }", "public function convert()\n {\n $this->assertSame('yes', Booleans::convert(true, 'yes', 'no'));\n $this->assertSame('bar', Booleans::convert(false, 'foo', 'bar'));\n }", "public function test___construct()\r\n\t{\r\n }", "function testBooleanDataType() {\n $data = array(\n 'id' => 1,\n 'booleanfield' => true,\n );\n $this->insertValues($data);\n $this->selectAndCheck($data);\n \n $data = array(\n 'id' => 2,\n 'booleanfield' => false,\n );\n $this->insertValues($data);\n $this->selectAndCheck($data);\n }" ]
[ "0.76232857", "0.7461328", "0.7195562", "0.71841824", "0.7034959", "0.70285505", "0.70023865", "0.69589263", "0.6949298", "0.69404805", "0.67218304", "0.61622256", "0.6160543", "0.61232126", "0.59412926", "0.5891811", "0.5870075", "0.58504033", "0.58263826", "0.57996273", "0.57498705", "0.57036626", "0.5693814", "0.56370527", "0.5631061", "0.55964875", "0.5596316", "0.5596316", "0.55860823", "0.55584437" ]
0.8002648
0
This test checks the Boolean's __constructor() method by expecting an exception.
public function testConstructorWithClassCastException() { // set the expected exception $this->setExpectedException('\AppserverIo\Lang\ClassCastException'); // try to initialize a new Boolean instance $boolean = new Boolean('xxx'); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function testConstruct() {\n $result = new ValidationResult(TRUE, 200);\n\n $this->assertTrue($result instanceOf ValidationResult);\n }", "public function testConstruct()\n {\n $instance = new IsType('string');\n\n $reflex = new \\ReflectionProperty(IsType::class, 'type');\n $reflex->setAccessible(true);\n\n $this->assertEquals('string', $reflex->getValue($instance));\n\n $this->expectException(\\UnexpectedValueException::class);\n $this->expectExceptionMessage('function is_test does not exist');\n $instance = new IsType('test');\n }", "public function testConstruct()\n {\n $exception = new JSONValidationException('');\n\n $this->assertInstanceOf('Exception', $exception);\n }", "public function test_TraitBuilder___construct_noparams() {\n $this->expectException(\\ArgumentCountError::class);\n $test = new \\FightTheIce\\Coding\\TraitBuilder();\n }", "public function test___construct() {\n\t\t}", "public function testConstructorInvalidArgumentException()\n {\n $this->expectException(\\InvalidArgumentException::class);\n new MyEnum('NOT_EXISTS');\n }", "public function testGenericConstructor()\n {\n $this->uut = new Record();\n $this->assertTrue($this->uut->isEmpty());\n }", "public function testConstruct(){\n $isException = false;\n try{\n new TNormal1(1);\n }catch (\\Exception $e){\n echo $e;\n $isException = true;\n }\n $this->assertTrue(!$isException);\n\n $TNormal2Reflection = new \\ReflectionClass('PhpPlatform\\Tests\\Persist\\Dao\\TNormal2');\n \n // test for no argument constructor\n $isException = false;\n try{\n $tNormal2Obj = new TNormal2();\n }catch (BadQueryException $e){\n \t$this->assertEquals('PhpPlatform\\Tests\\Persist\\Dao\\TNormal2 can not be constructed with empty arguments',$e->getMessage());\n \t$isException = true;\n }\n $this->assertTrue($isException);\n \n // test for constructor with argument\n $tNormal2Obj = new TNormal2(1);\n\n $fPrimaryIdReflection = $TNormal2Reflection->getProperty(\"fPrimaryId\");\n $fPrimaryIdReflection->setAccessible(true);\n $this->assertEquals(\"1\",$fPrimaryIdReflection->getValue($tNormal2Obj));\n\n $fVarcharReflection = $TNormal2Reflection->getProperty(\"fVarchar\");\n $fVarcharReflection->setAccessible(true);\n\n $this->assertEquals($this->getDatasetValue(\"t_normal2\",0,'F_VARCHAR'),$fVarcharReflection->getValue($tNormal2Obj));\n \n \n // test for constructor for non-existing data\n $isException = false;\n try{\n \t$tNormal2Obj = new TNormal2(10,true);\n }catch (DataNotFoundException $e){\n \t$this->assertEquals('PhpPlatform\\Tests\\Persist\\Dao\\TNormal2 with fPrimaryId = 10, fBoolean = 1 does not exist',$e->getMessage());\n \t$isException = true;\n }\n $this->assertTrue($isException);\n\n // test for constructor with argument - for inherited Classes\n $TChild1Reflection = new \\ReflectionClass('PhpPlatform\\Tests\\Persist\\Dao\\TChild1');\n\n $isException = false;\n try{\n $tChild1Obj = new TChild1();\n }catch (BadQueryException $e){\n \t$this->assertEquals('PhpPlatform\\Tests\\Persist\\Dao\\TChild1 can not be constructed with empty arguments',$e->getMessage());\n \t$isException = true;\n }\n $this->assertTrue($isException);\n\n $tChild1Obj = new TChild1(1);\n\n $fPrimaryIdReflection = $TChild1Reflection->getProperty(\"fPrimaryId\");\n $fPrimaryIdReflection->setAccessible(true);\n $this->assertEquals($this->getDatasetValue(\"t_child1\",0,'F_PRIMARY_ID'),$fPrimaryIdReflection->getValue($tChild1Obj));\n\n $fTimestampReflection = $TChild1Reflection->getProperty(\"fTimestamp\");\n $fTimestampReflection->setAccessible(true);\n $this->assertEquals($this->getDatasetValue(\"t_child1\",0,'F_TIMESTAMP'),$fTimestampReflection->getValue($tChild1Obj));\n\n $TParentReflection = new \\ReflectionClass('PhpPlatform\\Tests\\Persist\\Dao\\TParent');\n $fIntReflection = $TParentReflection->getProperty(\"fInt\");\n $fIntReflection->setAccessible(true);\n $this->assertEquals($this->getDatasetValue(\"t_parent\",0,'F_INT'),$fIntReflection->getValue($tChild1Obj));\n\n $fDecimalReflection = $TParentReflection->getProperty(\"fDecimal\");\n $fDecimalReflection->setAccessible(true);\n $this->assertEquals($this->getDatasetValue(\"t_parent\",0,'F_DECIMAL'),$fDecimalReflection->getValue($tChild1Obj));\n\n $TSuperParentReflection = new \\ReflectionClass('PhpPlatform\\Tests\\Persist\\Dao\\TSuperParent');\n $fVarcharReflection = $TSuperParentReflection->getProperty(\"fVarchar\");\n $fVarcharReflection->setAccessible(true);\n $this->assertEquals($this->getDatasetValue(\"t_super_parent\",0,'F_VARCHAR'),$fVarcharReflection->getValue($tChild1Obj));\n\n\n // test for constructor with argument - for Foreign Values\n $TChild2Reflection = new \\ReflectionClass('PhpPlatform\\Tests\\Persist\\Dao\\TChild2');\n\n $tChild2Obj = new TChild2(1);\n\n $fForeignVarcharReflection = $TChild2Reflection->getProperty(\"fForeignVarchar\");\n $fForeignVarcharReflection->setAccessible(true);\n $this->assertEquals($this->getDatasetValue(\"t_normal2\",0,'F_VARCHAR'),$fForeignVarcharReflection->getValue($tChild2Obj));\n\n\n // test with access filters\n $isException = false;\n try{\n new TParent(1);\n }catch (NoAccessException $e){\n $isException = true;\n }\n $this->assertTrue($isException);\n }", "public function test__construct()\n {\n $obj = Solar::factory($this->_class);\n $this->assertInstance($obj, $this->_class);\n }", "public function testConstructWithoutArguments()\n {\n $exception = new class() extends AbstractException {};\n\n self::assertEquals('', $exception->getMessage(), 'A message must not be present.');\n self::assertEquals(0, $exception->getCode(), 'The code must always be zero.');\n self::assertNull($exception->getPrevious(), 'No previous exception must be present.');\n }", "final public function __construct()\n\t{\n\t\tthrow new \\LogicException;\n\t}", "public function testToStringWithBooleanValueFalse()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean(false);\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testConstructorInTestMode() : void\n {\n $this->assertNull($this->startConstructorTest(true));\n }", "public function testConstructor()\n {\n $this->expectException(ValidationException::class);\n $this->expectExceptionCode(ValidationException::UNDEFINED_VALIDATION_EXCEPTION);\n $this->expectExceptionMessageRegExp(\n sprintf(\"/%s$/\", ExceptionMessages::$validationMessages[\n ValidationException::UNDEFINED_VALIDATION_EXCEPTION\n ])\n );\n\n throw new ValidationException(ValidationException::UNDEFINED_VALIDATION_EXCEPTION);\n }", "private function __construct() {\n\t\treturn false;\n\t}", "public function test___construct()\r\n\t{\r\n }", "public function __construct($exceptions = false) {\n $this->exceptions = ($exceptions == true);\n }", "public function testConstruct() {\n new VisClientService(\"http://127.0.0.1\"); // Ne doit déclencher aucune erreur\n\n try {\n new VisClientService(new \\stdClass());\n $this->fail();\n } catch (\\InvalidArgumentException $e) {\n // Une erreur doit se déclencher\n }\n }", "public function testConstructor()\n {\n // no params\n $result = new EmailOpen();\n $this->assertEquals('Sizzle\\Bacon\\Database\\EmailOpen', get_class($result));\n\n // test with bad id\n $result2 = new EmailOpen(-1);\n $this->assertFalse(isset($result2->id));\n\n // test with good id in testCreate() below\n }", "public function test_Construct()\n\t{\n\t\t$util = new AiUtil();\n\t\t$this->assertTrue( ($util instanceof AiUtil) );\n\t\t\n\t}", "public function test___construct_without_parameters()\n {\n\n $this->property->setValue($this->reflectedClass, null);\n\n $this->setExpectedException('\\InvalidArgumentException');\n\n $this->reflectedClass->obtain();\n\n\n }", "public function test_construct() {\n\n $state = new TerminalState();\n\n // ensure bold and underscore are turned off\n $this->assertFalse($state->isBold());\n $this->assertFalse($state->isUnderscore());\n\n // ensure the text color is not valid\n $textColor = $state->getTextColor();\n $this->assertInstanceOf(\"ANSI\\\\Color\\\\Color\", $textColor);\n $this->assertFalse($textColor->isValid());\n\n // ensure the fill color is not valid\n $fillColor = $state->getFillColor();\n $this->assertInstanceOf(\"ANSI\\\\Color\\\\Color\", $fillColor);\n $this->assertFalse($fillColor->isValid());\n\n }", "public function test__constructThrowsException(int $distance): void\n {\n new Fuzziness($distance);\n }", "final public function __construct()\r\n\t{\r\n\t\tthrow new LogicException(\"Cannot instantiate static class \" . get_class($this));\r\n\t}", "function testIsControllableDefaultsToFalse() {\n // object pattern instead.\n $this->assertFalse($this->user->isControllable());\n }", "public function testGetClass()\n {\n // check for the correct class name\n $this->assertEquals('AppserverIo\\Lang\\Boolean', Boolean::__getClass());\n }", "public function testToStringWithStringValueFalse()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('false');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testConstruction() {\n $verify = function (AccessResult $access) {\n $this->assertFalse($access->isAllowed());\n $this->assertFalse($access->isForbidden());\n $this->assertTrue($access->isNeutral());\n $this->assertDefaultCacheability($access);\n };\n\n // Verify the object when using the constructor.\n $a = new AccessResultNeutral();\n $verify($a);\n\n // Verify the object when using the ::create() convenience method.\n $b = AccessResult::neutral();\n $verify($b);\n\n $this->assertEquals($a, $b);\n }", "public function testToStringWithStringValueNo()\n {\n // initialize a new Boolean instance\n $boolean = new Boolean('no');\n // check that the two boolean are equal\n $this->assertEquals('false', $boolean->__toString());\n }", "public function testConstructor()\n {\n $tokengenerator = new TokenGenerator($this->minlength, $this->maxlength);\n $this->assertInstanceOf(TokenGenerator::class, $tokengenerator, 'TokenGenerator constructor fails');\n }" ]
[ "0.6932727", "0.68003476", "0.6674924", "0.64451534", "0.64054054", "0.6285335", "0.6259457", "0.62538505", "0.62485117", "0.6207397", "0.6199488", "0.61651474", "0.61645293", "0.61521083", "0.6146159", "0.6142655", "0.6142354", "0.6133258", "0.6129273", "0.6122391", "0.6119243", "0.60941565", "0.6079334", "0.60738593", "0.6071847", "0.60307693", "0.60158604", "0.60009605", "0.59925675", "0.5979592" ]
0.85831165
0
Our complex fighting algorithm!
function fight(monster $firstMonster, monster $secondMonster) { $firstMonsterLife = $firstMonster->func_get_life(); $secondMonsterLife = $secondMonster->func_get_life(); while ($firstMonsterLife > 0 && $secondMonsterLife > 0) { $firstMonsterLife = $firstMonsterLife - $secondMonster->func_get_strength(); $secondMonsterLife = $secondMonsterLife - $firstMonster->func_get_strength(); } if ($firstMonsterLife <= 0 && $secondMonsterLife <= 0) { $winner = null; $looser = null; } elseif ($firstMonsterLife <= 0) { $winner = $secondMonster; $looser = $firstMonster; } else { $winner = $firstMonster; $looser = $secondMonster; } return [$winner, $looser]; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function fight() { // One big long function that determines the outcome of the fight.\n \n global $userrow, $controlrow;\n if ($userrow[\"currentaction\"] != \"Fighting\") { display(\"Tentativa de trapaça detectada.\", \"Error\"); }\n $pagearray = array();\n $playerisdead = 0;\n \n $pagearray[\"magiclist\"] = \"\";\n $userspells = explode(\",\",$userrow[\"spells\"]);\n $spellquery = doquery(\"SELECT id,name FROM {{table}}\", \"spells\");\n while ($spellrow = mysql_fetch_array($spellquery)) {\n $spell = false;\n foreach ($userspells as $a => $b) {\n if ($b == $spellrow[\"id\"]) { $spell = true; }\n }\n if ($spell == true) {\n $pagearray[\"magiclist\"] .= \"<option value=\\\"\".$spellrow[\"id\"].\"\\\">\".$spellrow[\"name\"].\"</option>\\n\";\n }\n unset($spell);\n }\n if ($pagearray[\"magiclist\"] == \"\") { $pagearray[\"magiclist\"] = \"<option value=\\\"0\\\">None</option>\\n\"; }\n $magiclist = $pagearray[\"magiclist\"];\n \n $chancetoswingfirst = 1;\n\n // First, check to see if we need to pick a monster.\n if ($userrow[\"currentfight\"] == 1) {\n \n if ($userrow[\"latitude\"] < 0) { $userrow[\"latitude\"] *= -1; } // Equalize negatives.\n if ($userrow[\"longitude\"] < 0) { $userrow[\"longitude\"] *= -1; } // Ditto.\n $maxlevel = floor(ma x($userrow[\"latitude\"]+5, $userrow[\"longitude\"]+5) / 5); // One mlevel per five spaces.\n if ($maxlevel < 1) { $maxlevel = 1; }\n $minlevel = $maxlevel - 2;\n if ($minlevel < 1) { $minlevel = 1; }\n \n \n // Pick a monster.\n $monsterquery = doquery(\"SELECT * FROM {{table}} WHERE level>='$minlevel' AND level<='$maxlevel' ORDER BY RAND() LIMIT 1\", \"monsters\");\n $monsterrow = mysql_fetch_array($monsterquery);\n $userrow[\"currentmonster\"] = $monsterrow[\"id\"];\n $userrow[\"currentmonsterhp\"] = rand((($monsterrow[\"maxhp\"]/5)*4),$monsterrow[\"maxhp\"]);\n if ($userrow[\"difficulty\"] == 2) { $userrow[\"currentmonsterhp\"] = ceil($userrow[\"currentmonsterhp\"] * $controlrow[\"diff2mod\"]); }\n if ($userrow[\"difficulty\"] == 3) { $userrow[\"currentmonsterhp\"] = ceil($userrow[\"currentmonsterhp\"] * $controlrow[\"diff3mod\"]); }\n $userrow[\"currentmonstersleep\"] = 0;\n $userrow[\"currentmonsterimmune\"] = $monsterrow[\"immune\"];\n \n $chancetoswingfirst = rand(1,10) + ceil(sqrt($userrow[\"dexterity\"]));\n if ($chancetoswingfirst > (rand(1,7) + ceil(sqrt($monsterrow[\"maxdam\"])))) { $chancetoswingfirst = 1; } else { $chancetoswingfirst = 0; }\n \n unset($monsterquery);\n unset($monsterrow);\n \n }\n \n // Next, get the monster statistics.\n $monsterquery = doquery(\"SELECT * FROM {{table}} WHERE id='\".$userrow[\"currentmonster\"].\"' LIMIT 1\", \"monsters\");\n $monsterrow = mysql_fetch_array($monsterquery);\n $pagearray[\"monstername\"] = $monsterrow[\"name\"];\n \n // Do run stuff.\n if (isset($_POST[\"run\"])) {\n\n $chancetorun = rand(4,10) + ceil(sqrt($userrow[\"dexterity\"]));\n if ($chancetorun > (rand(1,5) + ceil(sqrt($monsterrow[\"maxdam\"])))) { $chancetorun = 1; } else { $chancetorun = 0; }\n \n if ($chancetorun == 0) { \n $pagearray[\"yourturn\"] = \"Você tentou fugir mas foi bloqueado pela frente!<br /><br />\";\n $pagearray[\"monsterhp\"] = \"HP do Inimigo: \" . $userrow[\"currentmonsterhp\"] . \"<br /><br />\";\n $pagearray[\"monsterturn\"] = \"\";\n if ($userrow[\"currentmonstersleep\"] != 0) { // Check to wake up.\n $chancetowake = rand(1,15);\n if ($chancetowake > $userrow[\"currentmonstersleep\"]) {\n $userrow[\"currentmonstersleep\"] = 0;\n $pagearray[\"monsterturn\"] .= \"O inimigo acordou.<br />\";\n } else {\n $pagearray[\"monsterturn\"] .= \"O inimigo continua dormindo.<br />\";\n }\n }\n if ($userrow[\"currentmonstersleep\"] == 0) { // Only do this if the monster is awake.\n $tohit = ceil(rand($monsterrow[\"maxdam\"]*.5,$monsterrow[\"maxdam\"]));\n if ($userrow[\"difficulty\"] == 2) { $tohit = ceil($tohit * $controlrow[\"diff2mod\"]); }\n if ($userrow[\"difficulty\"] == 3) { $tohit = ceil($tohit * $controlrow[\"diff3mod\"]); }\n $toblock = ceil(rand($userrow[\"defensepower\"]*.75,$userrow[\"defensepower\"])/4);\n $tododge = rand(1,150);\n if ($tododge <= sqrt($userrow[\"dexterity\"])) {\n $tohit = 0; $pagearray[\"monsterturn\"] .= \"Você fugiu de um ataque. Nenhum dano foi recebido.<br />\";\n $persondamage = 0;\n } else {\n $persondamage = $tohit - $toblock;\n if ($persondamage < 1) { $persondamage = 1; }\n if ($userrow[\"currentuberdefense\"] != 0) {\n $persondamage -= ceil($persondamage * ($userrow[\"currentuberdefense\"]/100));\n }\n if ($persondamage < 1) { $persondamage = 1; }\n }\n $pagearray[\"monsterturn\"] .= \"O inimigo te atacou provocando $persondamage de dano.<br /><br />\";\n $userrow[\"currenthp\"] -= $persondamage;\n if ($userrow[\"currenthp\"] <= 0) {\n $newgold = ceil($userrow[\"gold\"]/2);\n $newhp = ceil($userrow[\"maxhp\"]/4);\n $updatequery = doquery(\"UPDATE {{table}} SET currenthp='$newhp',currentaction='In Town',currentmonster='0',currentmonsterhp='0',currentmonstersleep='0',currentmonsterimmune='0',currentfight='0',latitude='0',longitude='0',gold='$newgold' WHERE id='\".$userrow[\"id\"].\"' LIMIT 1\", \"users\");\n $playerisdead = 1;\n }\n }\n }\n\n $updatequery = doquery(\"UPDATE {{table}} SET currentaction='Exploring' WHERE id='\".$userrow[\"id\"].\"' LIMIT 1\", \"users\");\n header(\"Location: index.php\");\n die();\n \n // Do fight stuff.\n } elseif (isset($_POST[\"fight\"])) {\n \n // Your turn.\n $pagearray[\"yourturn\"] = \"\";\n $tohit = ceil(rand($userrow[\"attackpower\"]*.75,$userrow[\"attackpower\"])/3);\n $toexcellent = rand(1,150);\n if ($toexcellent <= sqrt($userrow[\"strength\"])) { $tohit *= 2; $pagearray[\"yourturn\"] .= \"Hit excelente!<br />\"; }\n $toblock = ceil(rand($monsterrow[\"armor\"]*.75,$monsterrow[\"armor\"])/3); \n $tododge = rand(1,200);\n if ($tododge <= sqrt($monsterrow[\"armor\"])) { \n $tohit = 0; $pagearray[\"yourturn\"] .= \"O inimigo está fugindo. Nenhum dano foi recebido por ele.<br />\"; \n $monsterdamage = 0;\n } else {\n $monsterdamage = $tohit - $toblock;\n if ($monsterdamage < 1) { $monsterdamage = 1; }\n if ($userrow[\"currentuberdamage\"] != 0) {\n $monsterdamage += ceil($monsterdamage * ($userrow[\"currentuberdamage\"]/100));\n }\n }\n $pagearray[\"yourturn\"] .= \"Você atacou o inimigo provocando $monsterdamage de dano.<br /><br />\";\n $userrow[\"currentmonsterhp\"] -= $monsterdamage;\n $pagearray[\"monsterhp\"] = \"HP do Inimigo: \" . $userrow[\"currentmonsterhp\"] . \"<br /><br />\";\n if ($userrow[\"currentmonsterhp\"] <= 0) {\n $updatequery = doquery(\"UPDATE {{table}} SET currentmonsterhp='0' WHERE id='\".$userrow[\"id\"].\"' LIMIT 1\", \"users\");\n header(\"Location: index.php?do=victory\");\n die();\n }\n \n // Monster's turn.\n $pagearray[\"monsterturn\"] = \"\";\n if ($userrow[\"currentmonstersleep\"] != 0) { // Check to wake up.\n $chancetowake = rand(1,15);\n if ($chancetowake > $userrow[\"currentmonstersleep\"]) {\n $userrow[\"currentmonstersleep\"] = 0;\n $pagearray[\"monsterturn\"] .= \"O inimigo acordou.<br />\";\n } else {\n $pagearray[\"monsterturn\"] .= \"O inimigo continua a dormir.<br />\";\n }\n }\n if ($userrow[\"currentmonstersleep\"] == 0) { // Only do this if the monster is awake.\n $tohit = ceil(rand($monsterrow[\"maxdam\"]*.5,$monsterrow[\"maxdam\"]));\n if ($userrow[\"difficulty\"] == 2) { $tohit = ceil($tohit * $controlrow[\"diff2mod\"]); }\n if ($userrow[\"difficulty\"] == 3) { $tohit = ceil($tohit * $controlrow[\"diff3mod\"]); }\n $toblock = ceil(rand($userrow[\"defensepower\"]*.75,$userrow[\"defensepower\"])/4);\n $tododge = rand(1,150);\n if ($tododge <= sqrt($userrow[\"dexterity\"])) {\n $tohit = 0; $pagearray[\"monsterturn\"] .= \"Você fugiu do ataque do inimigo. Nenhum dano foi causado.<br />\";\n $persondamage = 0;\n } else {\n $persondamage = $tohit - $toblock;\n if ($persondamage < 1) { $persondamage = 1; }\n if ($userrow[\"currentuberdefense\"] != 0) {\n $persondamage -= ceil($persondamage * ($userrow[\"currentuberdefense\"]/100));\n }\n if ($persondamage < 1) { $persondamage = 1; }\n }\n $pagearray[\"monsterturn\"] .= \"O inimigo atacou você, provocando $persondamage de dano.<br /><br />\";\n $userrow[\"currenthp\"] -= $persondamage;\n if ($userrow[\"currenthp\"] <= 0) {\n $newgold = ceil($userrow[\"gold\"]/2);\n $newhp = ceil($userrow[\"maxhp\"]/4);\n $updatequery = doquery(\"UPDATE {{table}} SET currenthp='$newhp',currentaction='In Town',currentmonster='0',currentmonsterhp='0',currentmonstersleep='0',currentmonsterimmune='0',currentfight='0',latitude='0',longitude='0',gold='$newgold' WHERE id='\".$userrow[\"id\"].\"' LIMIT 1\", \"users\");\n $playerisdead = 1;\n }\n }\n \n // Do spell stuff.\n } elseif (isset($_POST[\"spell\"])) {\n \n // Your turn.\n $pickedspell = $_POST[\"userspell\"];\n if ($pickedspell == 0) { display(\"Você deve selecionar um Jutsu primeiro. Por favor volte e tente novamente.\", \"Error\"); die(); }\n \n $newspellquery = doquery(\"SELECT * FROM {{table}} WHERE id='$pickedspell' LIMIT 1\", \"spells\");\n $newspellrow = mysql_fetch_array($newspellquery);\n $spell = false;\n foreach($userspells as $a => $b) {\n if ($b == $pickedspell) { $spell = true; }\n }\n if ($spell != true) { display(\"Você ainda não aprendeu esse Jutsu. Por favor volte e tente novamente.\", \"Error\"); die(); }\n if ($userrow[\"currentmp\"] < $newspellrow[\"mp\"]) { display(\"Você não tem Chakra suficiente para usar esse Jutsu. Por favor volte e tente novamente.\", \"Error\"); die(); }\n \n if ($newspellrow[\"type\"] == 1) { // Heal spell.\n $newhp = $userrow[\"currenthp\"] + $newspellrow[\"attribute\"];\n if ($userrow[\"maxhp\"] < $newhp) { $newspellrow[\"attribute\"] = $userrow[\"maxhp\"] - $userrow[\"currenthp\"]; $newhp = $userrow[\"currenthp\"] + $newspellrow[\"attribute\"]; }\n $userrow[\"currenthp\"] = $newhp;\n $userrow[\"currentmp\"] -= $newspellrow[\"mp\"];\n $pagearray[\"yourturn\"] = \"Você usou o Jutsu: \".$newspellrow[\"name\"].\" e ganhou \".$newspellrow[\"attribute\"].\" Pontos de Vida.<br /><br />\";\n } elseif ($newspellrow[\"type\"] == 2) { // Hurt spell.\n if ($userrow[\"currentmonsterimmune\"] == 0) {\n $monsterdamage = rand((($newspellrow[\"attribute\"]/6)*5), $newspellrow[\"attribute\"]);\n $userrow[\"currentmonsterhp\"] -= $monsterdamage;\n $pagearray[\"yourturn\"] = \"Você usou o Jutsu: \".$newspellrow[\"name\"].\" e causou $monsterdamage de dano.<br /><br />\";\n } else {\n $pagearray[\"yourturn\"] = \"Você usou o Jutsu: \".$newspellrow[\"name\"].\", mas o inimigo é imune à seu Jutsu.<br /><br />\";\n }\n $userrow[\"currentmp\"] -= $newspellrow[\"mp\"];\n } elseif ($newspellrow[\"type\"] == 3) { // Sleep spell.\n if ($userrow[\"currentmonsterimmune\"] != 2) {\n $userrow[\"currentmonstersleep\"] = $newspellrow[\"attribute\"];\n $pagearray[\"yourturn\"] = \"Você usou o Jutsu: \".$newspellrow[\"name\"].\". O inimigo está dormindo.<br /><br />\";\n } else {\n $pagearray[\"yourturn\"] = \"Você usou o Jutsu: \".$newspellrow[\"name\"].\", mas o inimigo é imune à ele.<br /><br />\";\n }\n $userrow[\"currentmp\"] -= $newspellrow[\"mp\"];\n } elseif ($newspellrow[\"type\"] == 4) { // +Damage spell.\n $userrow[\"currentuberdamage\"] = $newspellrow[\"attribute\"];\n $userrow[\"currentmp\"] -= $newspellrow[\"mp\"];\n $pagearray[\"yourturn\"] = \"Você usou o Jutsu: \".$newspellrow[\"name\"].\" e ganhou \".$newspellrow[\"attribute\"].\"% de dano até o fim da batalha.<br /><br />\";\n } elseif ($newspellrow[\"type\"] == 5) { // +Defense spell.\n $userrow[\"currentuberdefense\"] = $newspellrow[\"attribute\"];\n $userrow[\"currentmp\"] -= $newspellrow[\"mp\"];\n $pagearray[\"yourturn\"] = \"Você usou o Jutsu: \".$newspellrow[\"name\"].\" e ganhou \".$newspellrow[\"attribute\"].\"% de defesa até o fim da batalha.<br /><br />\"; \n }\n \n $pagearray[\"monsterhp\"] = \"HP do Inimigo: \" . $userrow[\"currentmonsterhp\"] . \"<br /><br />\";\n if ($userrow[\"currentmonsterhp\"] <= 0) {\n $updatequery = doquery(\"UPDATE {{table}} SET currentmonsterhp='0',currenthp='\".$userrow[\"currenthp\"].\"',currentmp='\".$userrow[\"currentmp\"].\"' WHERE id='\".$userrow[\"id\"].\"' LIMIT 1\", \"users\");\n header(\"Location: index.php?do=victory\");\n die();\n }\n \n // Monster's turn.\n $pagearray[\"monsterturn\"] = \"\";\n if ($userrow[\"currentmonstersleep\"] != 0) { // Check to wake up.\n $chancetowake = rand(1,15);\n if ($chancetowake > $userrow[\"currentmonstersleep\"]) {\n $userrow[\"currentmonstersleep\"] = 0;\n $pagearray[\"monsterturn\"] .= \"O inimigo acordou.<br />\";\n } else {\n $pagearray[\"monsterturn\"] .= \"O inimigo ainda está dormindo.<br />\";\n }\n }\n if ($userrow[\"currentmonstersleep\"] == 0) { // Only do this if the monster is awake.\n $tohit = ceil(rand($monsterrow[\"maxdam\"]*.5,$monsterrow[\"maxdam\"]));\n if ($userrow[\"difficulty\"] == 2) { $tohit = ceil($tohit * $controlrow[\"diff2mod\"]); }\n if ($userrow[\"difficulty\"] == 3) { $tohit = ceil($tohit * $controlrow[\"diff3mod\"]); }\n $toblock = ceil(rand($userrow[\"defensepower\"]*.75,$userrow[\"defensepower\"])/4);\n $tododge = rand(1,150);\n if ($tododge <= sqrt($userrow[\"dexterity\"])) {\n $tohit = 0; $pagearray[\"monsterturn\"] .= \"Você fugiu do ataque inimigo. Nenhum dano foi causado.<br />\";\n $persondamage = 0;\n } else {\n if ($tohit <= $toblock) { $tohit = $toblock + 1; }\n $persondamage = $tohit - $toblock;\n if ($userrow[\"currentuberdefense\"] != 0) {\n $persondamage -= ceil($persondamage * ($userrow[\"currentuberdefense\"]/100));\n }\n if ($persondamage < 1) { $persondamage = 1; }\n }\n $pagearray[\"monsterturn\"] .= \"O inimigo te atacou, causando $persondamage de dano.<br /><br />\";\n $userrow[\"currenthp\"] -= $persondamage;\n if ($userrow[\"currenthp\"] <= 0) {\n $newgold = ceil($userrow[\"gold\"]/2);\n $newhp = ceil($userrow[\"maxhp\"]/4);\n $updatequery = doquery(\"UPDATE {{table}} SET currenthp='$newhp',currentaction='In Town',currentmonster='0',currentmonsterhp='0',currentmonstersleep='0',currentmonsterimmune='0',currentfight='0',latitude='0',longitude='0',gold='$newgold' WHERE id='\".$userrow[\"id\"].\"' LIMIT 1\", \"users\");\n $playerisdead = 1;\n }\n }\n \n // Do a monster's turn if person lost the chance to swing first. Serves him right!\n } elseif ( $chancetoswingfirst == 0 ) {\n $pagearray[\"yourturn\"] = \"O inimigo te atacou antes que estivesse preparado!<br /><br />\";\n $pagearray[\"monsterhp\"] = \"HP do Inimigo: \" . $userrow[\"currentmonsterhp\"] . \"<br /><br />\";\n $pagearray[\"monsterturn\"] = \"\";\n if ($userrow[\"currentmonstersleep\"] != 0) { // Check to wake up.\n $chancetowake = rand(1,15);\n if ($chancetowake > $userrow[\"currentmonstersleep\"]) {\n $userrow[\"currentmonstersleep\"] = 0;\n $pagearray[\"monsterturn\"] .= \"O inimigo acordou.<br />\";\n } else {\n $pagearray[\"monsterturn\"] .= \"O inimigo ainda está dormindo.<br />\";\n }\n }\n if ($userrow[\"currentmonstersleep\"] == 0) { // Only do this if the monster is awake.\n $tohit = ceil(rand($monsterrow[\"maxdam\"]*.5,$monsterrow[\"maxdam\"]));\n if ($userrow[\"difficulty\"] == 2) { $tohit = ceil($tohit * $controlrow[\"diff2mod\"]); }\n if ($userrow[\"difficulty\"] == 3) { $tohit = ceil($tohit * $controlrow[\"diff3mod\"]); }\n $toblock = ceil(rand($userrow[\"defensepower\"]*.75,$userrow[\"defensepower\"])/4);\n $tododge = rand(1,150);\n if ($tododge <= sqrt($userrow[\"dexterity\"])) {\n $tohit = 0; $pagearray[\"monsterturn\"] .= \"Você fugiu do ataque inimigo. Nenhum dano foi causado.<br />\";\n $persondamage = 0;\n } else {\n $persondamage = $tohit - $toblock;\n if ($persondamage < 1) { $persondamage = 1; }\n if ($userrow[\"currentuberdefense\"] != 0) {\n $persondamage -= ceil($persondamage * ($userrow[\"currentuberdefense\"]/100));\n }\n if ($persondamage < 1) { $persondamage = 1; }\n }\n $pagearray[\"monsterturn\"] .= \"O inimigo te atacou, causando $persondamage de dano.<br /><br />\";\n $userrow[\"currenthp\"] -= $persondamage;\n if ($userrow[\"currenthp\"] <= 0) {\n $newgold = ceil($userrow[\"gold\"]/2);\n $newhp = ceil($userrow[\"maxhp\"]/4);\n $updatequery = doquery(\"UPDATE {{table}} SET currenthp='$newhp',currentaction='In Town',currentmonster='0',currentmonsterhp='0',currentmonstersleep='0',currentmonsterimmune='0',currentfight='0',latitude='0',longitude='0',gold='$newgold' WHERE id='\".$userrow[\"id\"].\"' LIMIT 1\", \"users\");\n $playerisdead = 1;\n }\n }\n\n } else {\n $pagearray[\"yourturn\"] = \"\";\n $pagearray[\"monsterhp\"] = \"HP do Inimigo: \" . $userrow[\"currentmonsterhp\"] . \"<br /><br />\";\n $pagearray[\"monsterturn\"] = \"\";\n }\n \n $newmonster = $userrow[\"currentmonster\"];\n\n $newmonsterhp = $userrow[\"currentmonsterhp\"];\n $newmonstersleep = $userrow[\"currentmonstersleep\"];\n $newmonsterimmune = $userrow[\"currentmonsterimmune\"];\n $newuberdamage = $userrow[\"currentuberdamage\"];\n $newuberdefense = $userrow[\"currentuberdefense\"];\n $newfight = $userrow[\"currentfight\"] + 1;\n $newhp = $userrow[\"currenthp\"];\n $newmp = $userrow[\"currentmp\"]; \n \nif ($playerisdead != 1) { \n$pagearray[\"command\"] = <<<END\nComando?<br /><br />\n<form action=\"index.php?do=fight\" method=\"post\">\n<input type=\"submit\" name=\"fight\" value=\"Lutar\" /><br /><br />\n<select name=\"userspell\"><option value=\"0\">Escolha Um</option>$magiclist</select> <input type=\"submit\" name=\"spell\" value=\"Spell\" /><br /><br />\n<input type=\"submit\" name=\"run\" value=\"Correr\" /><br /><br />\n</form>\nEND;\n $updatequery = doquery(\"UPDATE {{table}} SET currentaction='Fighting',currenthp='$newhp',currentmp='$newmp',currentfight='$newfight',currentmonster='$newmonster',currentmonsterhp='$newmonsterhp',currentmonstersleep='$newmonstersleep',currentmonsterimmune='$newmonsterimmune',currentuberdamage='$newuberdamage',currentuberdefense='$newuberdefense' WHERE id='\".$userrow[\"id\"].\"' LIMIT 1\", \"users\");\n} else {\n $pagearray[\"command\"] = \"<b>Você morreu.</b><br /><br />Como consequencia, você perdeu metade de seus Ryou. De qualquer forma, lhe foi dado metade dos seus Pontos de Vida para continuar sua jornada.<br /><br />Você pode voltar para a <a href=\\\"index.php\\\">cidade</a>, e esperamos que se sinta melhor da próxima vez.\";\n}\n \n // Finalize page and display it.\n $template = gettemplate(\"fight\");\n $page = parsetemplate($template,$pagearray);\n \n display($page, \"Fighting\");\n \n}", "function battle(Ship $ship1, $ship1Quantity, Ship $ship2, $ship2Quantity)\n{\n $ship1Health = $ship1->getStrength() * $ship1Quantity;\n $ship2Health = $ship2->getStrength() * $ship2Quantity;\n\n $ship1UsedJediPowers = false;\n $ship2UsedJediPowers = false;\n while ($ship1Health > 0 && $ship2Health > 0) {\n // first, see if we have a rare Jedi hero event!\n if (didJediDestroyShipUsingTheForce($ship1)) {\n $ship2Health = 0;\n $ship1UsedJediPowers = true;\n\n break;\n }\n if (didJediDestroyShipUsingTheForce($ship2)) {\n $ship1Health = 0;\n $ship2UsedJediPowers = true;\n\n break;\n }\n\n // now battle them normally\n $ship1Health = $ship1Health - ($ship2->getWeaponPower() * $ship2Quantity);\n $ship2Health = $ship2Health - ($ship1->getWeaponPower() * $ship1Quantity);\n }\n\n if ($ship1Health <= 0 && $ship2Health <= 0) {\n // they destroyed each other\n $winningShip = null;\n $losingShip = null;\n $usedJediPowers = $ship1UsedJediPowers || $ship2UsedJediPowers;\n } elseif ($ship1Health <= 0) {\n $winningShip = $ship2;\n $losingShip = $ship1;\n $usedJediPowers = $ship2UsedJediPowers;\n } else {\n $winningShip = $ship1;\n $losingShip = $ship2;\n $usedJediPowers = $ship1UsedJediPowers;\n }\n\n return array(\n 'winning_ship' => $winningShip,\n 'losing_ship' => $losingShip,\n 'used_jedi_powers' => $usedJediPowers,\n );\n}", "public function fight()\n {\n foreach ($this->_team as $char) {\n if (method_exists($char, 'fight')) {\n $char->fight();\n }\n }\n }", "function evaluateGame(&$players)\n{\n for ($i = 0; $i < count($players); $i++) {\n // Init to counter dice number 1\n $players['player_' . $i]['count_1'] = 0;\n for ($j = 0; $j < count($players['player_' . $i]['dice']); $j++) {\n // Check if dice number is 6 then add to score\n if ($players['player_' . $i]['dice'][$j] == 6) {\n array_splice($players['player_' . $i]['dice'], $j, 1);\n $players['player_' . $i]['score'] += 6;\n $j--;\n }\n // Check if dice number is 1 then add count_1 for next purpose\n else if ($players['player_' . $i]['dice'][$j] == 1) {\n array_splice($players['player_' . $i]['dice'], $j, 1);\n $players['player_' . $i]['count_1'] += 1;\n $j--;\n }\n }\n }\n\n // Loop for add dice number 1 to next player 1 to 2, 2 to 3, ... n to 1\n for ($i = 0; $i < count($players); $i++) {\n $nextPlayer = $i + 1;\n\n // check if the next player is not at the end of array\n if ($nextPlayer < count($players)) {\n\n // Loop for get next player who still playing\n for ($count = $nextPlayer; $count < count($players); $count++) {\n if (count($players['player_' . $count]['dice']) > 0) {\n $nextPlayer = $count;\n break;\n }\n }\n for ($j = 0; $j < $players['player_' . $i]['count_1']; $j++) {\n array_push($players['player_' . $nextPlayer]['dice'], 1);\n }\n } else {\n for ($j = 0; $j < $players['player_' . $i]['count_1']; $j++) {\n array_push($players['player_0']['dice'], 1);\n }\n }\n unset($players['player_' . $i]['count_1']);\n }\n\n // Check if end game\n $countEndPlayer = 0;\n for ($i = 0; $i < count($players); $i++) {\n if (count($players['player_' . $i]['dice']) == 0) {\n $countEndPlayer++;\n }\n }\n // IF player remain 1 then end the game\n if ($countEndPlayer == count($players) - 1) {\n return true;\n }\n return false;\n}", "function runturn(){\t\tif(count($this->nest) >= 1){\n\t\t$this->absturn++;//increment the absolute turn\n\t\tforeach($this->nest as $key => $nest){\n\t\t\t$this->nest[$key]->update();//run every nest's FSM\n\t\t\tif(count($this->nest[$key]->ant) < 1){//if a nest looses all workers, it crumbles.\n\t\t\t\t$this->turnoutput .= \"<b>Nest ran out of workers and crumbled at \" . $this->nest[$key]->posx . \"-\" . $this->nest[$key]->posy . \"</b><br>\";\n\t\t\t\t$this->nest[$key]->isdead = 1;\n\t\t\t\t$this->spawnfood($this->nest[$key]->posx, $this->nest[$key]->posy, 10, \"Crumbled<br>Nest\");\n\t\t\t\t$this->spawnfood($this->nest[$key]->posx, $this->nest[$key]->posy, 10, \"Crumbled<br>Nest\");\n\t\t\t}\n\t\t}\n\t\tif($this->turn >= 4 && $this->foodcounter < 25){//if the food is under 25, and the turn is over 4, spawn new food.\n\t\t\t$this->turn = 0;\n\t\t\t$this->spawnfood(rand(1,19), rand(1,19));\n\t\t} else {\n\t\t\t$this->turn++;\n\t\t}\n\t\tif(count($this->food) <= 1){//aleways make sure 2 food items are availible on the stage\n\t\t\t$this->food[$this->foodcounter] = new FOOD(rand(1,19), rand(1,19), $this->foodcounter);\n\t\t\t$this->foodcounter++;\n\t\t}\n\t\t$objectlocation = array();\n\t\tforeach($this->nest as $keya => $nest){\n\t\t\tif($this->nest[$keya]->ant[0] != null){\n\t\t\t\tforeach($nest->ant as $keyb => $ant){//run the actions for each ant.\n\t\t\t\t\t$this->nest[$keya]->ant[$keyb]->update();\n\t\t\t\t\tarray_unshift($objectlocation, \"<td width='50' height='50' style='background-color:\" . $this->nest[$keya]->ant[$keyb]->type . \";'><b style='color:white;'>\". $this->nest[$keya]->ant[$keyb]->name .\"<b/></td>\", $this->nest[$keya]->ant[$keyb]->posx, $this->nest[$keya]->ant[$keyb]->posy);\n\t\t\t\t}\n\t\t\t}\n\t\t\tarray_unshift($objectlocation, \"<td width='50' height='50'><b><i>nest</i></b></td>\", $this->nest[$keya]->posx, $this->nest[$keya]->posy);\n\t\t}\n\t\tforeach($this->food as $keyc => $food){\n\t\t\tarray_unshift($objectlocation, \"<td width='50' height='50' style='background-color:pink;'><i>\" . $this->food[$keyc]->name() . \"</i></td>\", $this->food[$keyc]->posx, $this->food[$keyc]->posy);\n\t\t}\n\t\tfor( $i = 0; $i <= 19; $i++){\n\t\t\tfor( $j = 0; $j <= 19; $j++){\n\t\t\t\t$playfield[$i][$j] = \"<td width='50' height='50'>grass</td>\";\n\t\t\t}\n\t\t}\n\t\tfor( $i = 0; $i < count($objectlocation); $i){//place each object on the playfield grid\n\t\t\t$playfield[$objectlocation[$i + 1] - 1][$objectlocation[$i + 2] - 1] = $objectlocation[$i];\n\t\t\t$i += 3;\n\t\t}\n\t\t$output = \"<table border='1' style='text-align:center;'>\";\n\t\tfor($i = 0; $i <= 19; $i++){\n\t\t\t$output .= '<tr>';\n\t\t\tfor($j = 0; $j <= 19; $j++){\n\t\t\t\t$output .= \"\" . $playfield[$i][$j] . '';\n\t\t\t}\n\t\t\t$output .= '</tr>';\n\t\t}\n\t\t$output .= '</table>';\n\t\techo $output . \",\" . \"Turn \" . $this->absturn . \":<br>\" . $this->turnoutput;\n\t\t$this->savetocsv();\n\t\t} else {\n\t\techo \"Everyone died...<br>It's game over man! Game over!<br> The world lasted \" . $this->absturn . \" turns.\";\n\t\t}\n\t}", "function hpleech($player) {\n \n /***********\n Description: A percentage of the final damage is given back to the player's HP.\n Occurs: Per Turn.\n Applies To: Player or Monster.\n ***********/\n \n global $userrow, $fightrow, $monsterrow;\n if ($player == \"player\") {\n $userrow[\"currenthp\"] += floor(($fightrow[\"playerphysdamage\"]+$fightrow[\"playermagicdamage\"]+$fightrow[\"playerfiredamage\"]+$fightrow[\"playerlightdamage\"]) * ($userrow[\"hpleech\"]/100));\n if ($userrow[\"currenthp\"] > $userrow[\"maxhp\"]) { $userrow[\"currenthp\"] = $userrow[\"maxhp\"]; }\n } else {\n $userrow[\"currentmonsterhp\"] += floor(($fightrow[\"monsterphysdamage\"]+$fightrow[\"monstermagicdamage\"]+$fightrow[\"monsterfiredamage\"]+$fightrow[\"monsterlightdamage\"]) * ($monsterrow[\"hpleech\"]/100));\n if ($userrow[\"currentmonsterhp\"] > ($monsterrow[\"maxhp\"] * $userrow[\"difficulty\"])) { $userrow[\"currentmonsterhp\"] = ($monsterrow[\"maxhp\"] * $userrow[\"difficulty\"]); }\n }\n \n}", "public function attackFighter($idPlayer1, $idPlayer2) {\n //echo 'ATTACK';\n // Retrieve the two fighters entities thanks to the players IDs\n $fighter1 = $this->Fighters->getFighter($idPlayer1);\n $fighter2 = $this->Fighters->getFighter($idPlayer2);\n $connectedfighters = $this->getFightersConnected($fighter1);\n \n if (in_array($fighter2, $connectedfighters)) {\n // Determine if the attack succeed, according to the given formula\n $doAttackSucceed = $this->doAttackSucceed($fighter1->level, $fighter2->level);\n\n // If the attack succeeds, decrement health of fighter injured\n if ($doAttackSucceed == true) {\n $this->Flash->success(__('Your attack succeeded on \"' . $fighter2->name . '\"'));\n $fighter2->current_health -= $fighter1->skill_strength;\n $current_health = $fighter2->current_health;\n $fighter1->xp ++;\n $this->Fighters->save($fighter1);\n $this->Fighters->save($fighter2);\n $this->addEventToDiary($fighter1, $this->getCurrentUsername() . ' \\'s ' . $fighter1->name . ' succesfully attacked ' . $this->getUserName($idPlayer2) . '\\' s ' . $fighter2->name);\n // If the attacked fighter current health is at 0, delete it and create new fighter. Fighter 1 wins XP equals to fighter 2 level.\n if ($current_health < 1) {\n $current_health;\n $this->Flash->success(__('Your attack killed \"' . $fighter2->name . '\"'));\n\n $this->addEventToDiary($fighter1, $this->getCurrentUsername() . ' \\'s ' . $fighter1->name . ' succesfully killed ' . $this->getUserName($idPlayer2) . '\\' s ' . $fighter2->name);\n\n $fighter1->xp += $fighter2->level;\n $this->Fighters->save($fighter1);\n $this->deleteFighter($idPlayer2);\n }\n } else {\n //Add the event to the table\n $this->addEventToDiary($fighter1, $this->getCurrentUsername() . ' \\'s ' . $fighter1->name . ' failed his attack on ' . $this->getUserName($idPlayer2) . '\\' s ' . $fighter2->name);\n $this->Flash->error(__('Your attack failed on \"' . $fighter2->name . '\"'));\n }\n }\n }", "function calculateBattleCasualties($params)\n{\n\tglobal $config;\n\t\n\tif (!isset($params['agebonus'])) $params['agebonus']=1;\n\t\n\t$retVal=array();\n\t\n\t$defenderVector=array();\n\t$attackerVector=array();\n\t$baseDefenderVector=array();\n\t$baseAttackerVector=array();\n\t$demolishers=0;\n\t$heroAttackFormula=$config['heroAttackFormula'];\n\t$heroDefendFormula=$config['heroDefendFormula'];\n\t// we calculate the base attack and defense vectors.\n\tforeach($config['units'] as $key=>$unitDescriptor)\n\t{\n\t\t$retVal['defender']['casualties'][$key]=0;\n\t\t$retVal['attacker']['casualties'][$key]=0;\n\t\tforeach($unitDescriptor['defense'] as $key2=>$defAmount)\n\t\t{\n\t\t\tif (!isset($baseDefenderVector[$key2])) $baseDefenderVector[$key2]=0;\n\t\t\t$unitCount=(int)floor($params['defender_'.$key]);\n\t\t\tif ($unitCount<0) $unitCount=0;\n\t\t\t$baseDefenderVector[$key2]+=$defAmount*$unitCount*$heroDefendFormula($params['defenderhero'])*(double)$params['nightbonus']*(double)$params['agebonus'];\n\t\t}\n\t\tforeach($unitDescriptor['attack'] as $key2=>$attAmount)\n\t\t{\n\t\t\tif (!isset($baseAttackerVector[$key2])) $baseAttackerVector[$key2]=0;\n\t\t\t$unitCount=(int)floor($params['attacker_'.$key]);\n\t\t\tif ($unitCount<0) $unitCount=0;\n\t\t\t$baseAttackerVector[$key2]+=$attAmount*(int)$params['attacker_'.$key]*$heroAttackFormula($params['attackhero']);\n\t\t}\n\t\tif (isset($unitDescriptor['demolisher']))\n\t\t{\n\t\t\t$demolishers+=$params['attacker_'.$key];\n\t\t}\n\t}\n\t// we calculate here the final attack and defense vectors\n\tforeach($baseDefenderVector as $key=>$value)\n\t{\n\t\t$defenderVector[$key]=$value*($params['walllevel']+1);\n\t}\n\tforeach($baseAttackerVector as $key=>$value)\n\t{\n\t\t$attackerVector[$key]=$value;\n\t}\n\t// we calculate here the power ratio.\n\t$noDefender=false;\n\t$powerRatio=0;\n\tforeach($attackerVector as $key=>$value)\n\t{\n\t\t$attValue=$value;\n\t\t$defValue=$defenderVector[$key];\n\t\tif ($defValue==0) \n\t\t{\n\t\t\t$noDefender=true;\n\t\t\tbreak;\n\t\t}\t\n\t\t$powerRatio+=$attValue/$defValue;\n\t}\n\t$attackerCasualtyRatio=0;\n\t$defenderCasualyRatio=0;\n\t$catsFireRatio=0;\n\t// we calculate here the casualties.\n\tif (!$noDefender)\n\t{\n\t\t// we calculate the casualties for normal attack.\n\t\tif ($params['mode']=='attack')\n\t\t{\n\t\t\t// if the target is wall, then we have to do a different calculation\n\t\t\tif (isset($params['targetwall']))\n\t\t\t{\n\t\t\t\t// first we calculate the result of a raid.\n\t\t\t\t$baseDefenderCasualtyRatio=$powerRatio/($powerRatio+1);\n\t\t\t\t$catsFireRatio=$baseDefenderCasualtyRatio;\n\t\t\t\t$baseAttackerCasualtyRatio=1-$baseDefenderCasualtyRatio;\n/*\t\t\t\t$baseDefenderCasualtyRatio=pow($baseDefenderCasualtyRatio,$config['superiorityExponent']);\n\t\t\t\t$baseAttackerCasualtyRatio=pow($baseAttackerCasualtyRatio,$config['superiorityExponent']);*/\n\t\t\t\t$bStrengthFn=$config['buildingStrengthFunction'];\n\t\t\t\t$bStrengthFnInv=$config['buildingStrengthFunctionInverse'];\n\t\t\t\t// after this phase we calculate the new wall level\n\t\t\t\tif (isset($params['targetwall']))\n\t\t\t\t\t$params['walllevel']=ceil($bStrengthFnInv($bStrengthFn($params['walllevel'])-$catsFireRatio*$demolishers));\n\t\t\t\t// so we need to recalculate all the vectors\n\t\t\t\tforeach($baseDefenderVector as $key=>$value)\n\t\t\t\t{\n\t\t\t\t\t$defenderVector[$key]=$value*(1-$baseDefenderCasualtyRatio)*($params['walllevel']+1);\n\t\t\t\t}\n\t\t\t\tforeach($baseAttackerVector as $key=>$value)\n\t\t\t\t{\n\t\t\t\t\t$attackerVector[$key]=$value*(1-$baseAttackerCasualtyRatio);\n\t\t\t\t}\n\t\t\t\t// and the new power ratio\n\t\t\t\t$powerRatio=0;\n\t\t\t\tforeach($attackerVector as $key=>$value)\n\t\t\t\t{\n\t\t\t\t\t$attValue=$value;\n\t\t\t\t\t$defValue=$defenderVector[$key];\n\t\t\t\t\t$powerRatio+=$attValue/$defValue;\n\t\t\t\t}\n\t\t\t\tif ($powerRatio>=1)\n\t\t\t\t{\n\t\t\t\t\t$additionalAttackerCasualtyRatio=1/$powerRatio;\n\t\t\t\t\t$additionalDefenderCasualtyRatio=1;\n\t\t\t\t}\n\t\t\t\telse\n\t\t\t\t{\n\t\t\t\t\t$additionalAttackerCasualtyRatio=1;\n\t\t\t\t\t$additionalDefenderCasualtyRatio=$powerRatio;\n\t\t\t\t}\n\t\t\t\t// so we know the casualty final ratio here\n\t\t\t\t$attackerCasualtyRatio=$baseAttackerCasualtyRatio+(1-$baseAttackerCasualtyRatio)*$additionalAttackerCasualtyRatio;\n\t\t\t\t$defenderCasualtyRatio=$baseDefenderCasualtyRatio+(1-$baseDefenderCasualtyRatio)*$additionalDefenderCasualtyRatio;\n\t\t\t}\n\t\t\telse\n\t\t\t{\n\t\t\t\t// its stratightforward to know how the casualties here.\n\t\t\t\tif ($powerRatio>=1)\n\t\t\t\t{\n\t\t\t\t\t$attackerCasualtyRatio=1/$powerRatio;\n\t\t\t\t\t$defenderCasualtyRatio=1;\n\t\t\t\t}\n\t\t\t\telse\n\t\t\t\t{\n\t\t\t\t\t$attackerCasualtyRatio=1;\n\t\t\t\t\t$defenderCasualtyRatio=$powerRatio;\n\t\t\t\t}\n\t\t\t\t$catsFireRatio=$powerRatio/($powerRatio+1);\n\t\t\t}\n\t\t\t// apply superiority bonus\n\t\t\t$defenderCasualtyRatio=pow($defenderCasualtyRatio,$config['superiorityExponent']);\n\t\t\t$attackerCasualtyRatio=pow($attackerCasualtyRatio,$config['superiorityExponent']);\n\t\t}\n\t\telse if ($params['mode']=='raid')\n\t\t{\n\t\t\t// for raids the summary of the casualty ratios are 1\n\t\t\t$defenderCasualtyRatio=$powerRatio/($powerRatio+1);\n\t\t\t$attackerCasualtyRatio=1-$defenderCasualtyRatio;\n\t\t\t$defenderCasualtyRatio=pow($defenderCasualtyRatio,$config['superiorityExponent']);\n\t\t\t$attackerCasualtyRatio=pow($attackerCasualtyRatio,$config['superiorityExponent']);\n\t\t}\n\t\telse if ($params['mode']=='recon')\n\t\t{\n\t\t\t// recon attack is a bit different than the raid. defender have superiority bonus, so the attacker.\n\t\t\t$defenderCasualtyRatio=$powerRatio/($powerRatio+1);\n\t\t\t$attackerCasualtyRatio=1-$defenderCasualtyRatio;\n\t\t\t$attackerCasualtyRatio=pow($attackerCasualtyRatio,1+$attackerCasualtyRatio);\n\t\t\t$defenderCasualtyRatio=pow($defenderCasualtyRatio,2);\n\t\t}\n\t\telse die('Invalid mode passed to the battle simulation. This should not happen in normal circumstances. Please report it to the admin if you see this.');\n\t}\n\tif ($noDefender)\n\t{\n\t \tif ($params['mode']=='attack') $catsFireRatio=1;\n\t \t$defenderCasualtyRatio=1;\n\t \t$attackerCasualtyRatio=0;\n\t}\n\t$demsFired=$demolishers*$catsFireRatio;\n\t$retVal['attackerHeroXP']=0;\n\t$retVal['defenderHeroXP']=0;\n\tforeach($config['units'] as $key=>$unitDescriptor)\n\t{\n\t\t$retVal['attackerHeroXP']+=$retVal['defender']['casualties'][$key]=(int)round(floor($params['defender_'.$key])*$defenderCasualtyRatio);\n\t\t$retVal['defenderHeroXP']+=$retVal['attacker']['casualties'][$key]=(int)round(floor($params['attacker_'.$key])*$attackerCasualtyRatio);\n\t}\n\t$retVal['defenderFalls']=true;\n\t$retVal['attackerFalls']=true;\n\t$retVal['defenderNoCasualties']=true;\n\t$retVal['attackerNoCasualties']=true;\n\tforeach($config['units'] as $key=>$unitDescriptor)\n\t{\n\t\tif ($retVal['defender']['casualties'][$key]>=1) $retVal['defenderNoCasualties']=false;\n\t\tif ($retVal['attacker']['casualties'][$key]>=1) $retVal['attackerNoCasualties']=false;\n\t\tif ($retVal['defender']['casualties'][$key]!=$params['defender_'.$key]) $retVal['defenderFalls']=false;\n\t\tif ($retVal['attacker']['casualties'][$key]!=$params['attacker_'.$key]) \t$retVal['attackerFalls']=false;\n\t}\n\t// would conquer?\n\t$conquerorUnit=$config['conquerorUnit'];\n\t$retVal['wouldConquer']=($params['mode']=='attack') && ($params['attacker_'.$conquerorUnit]>$retVal['attacker']['casualties'][$conquerorUnit]);\n\t$bStrengthFn=$config['buildingStrengthFunction'];\n\t$bStrengthFnInv=$config['buildingStrengthFunctionInverse'];\n//\tprint_r($demolishers);\n\t$retVal['defender']['targetdemolished']=$demsFired>0 ? ceil($bStrengthFnInv($bStrengthFn($params['targetlevel'])-$demsFired)):$params['targetlevel'];\n\treturn $retVal;\n}", "function processFantasyMatchups($leagueName, $leagueYear, $week) \n{\n //Object creation\n\n //Team in question\n $CLocalFromFantasyTeam = new FantasyTeam($leagueName, $leagueYear);\n //Team's opponent\n $CLocalToFantasyTeam = new FantasyTeam($leagueName, $leagueYear);\n //Team in question\n $CFromFantasyTeamWeekly = new FantasyTeamWeekly($leagueName, $leagueYear);\n //Team's opponent\n $CToFantasyTeamWeekly = new FantasyTeamWeekly($leagueName, $leagueYear);\n //Transaction rule object -- fee's etc.\n $CTransactionRule = new TransactionRule($leagueName, $leagueYear);\n\n //Determine if this league has a scoring threshold rule\n $CTransactionRule->GetByIDType(TRANSACTION_SCORE_THRESHOLD, TRANSACTION_TYPE_THRESHOLD);\n if ($CTransactionRule->getCount() > 0) \n {\n $CTransactionRule->GetNextRecord();\n $threshold = $CTransactionRule->getThreshold();\n $penalty = $CTransactionRule->getAmount();\n }\n\n //Get the fees associated with wins, losses and ties\n $CTransactionRule->GetByID(TRANSACTION_WIN);\n $CTransactionRule->GetNextRecord();\n $winAmount = $CTransactionRule->getAmount(); //CHECK THIS VALUE 12/31/02\n\n $CTransactionRule->GetByID(TRANSACTION_LOSE);\n $CTransactionRule->GetNextRecord();\n $loseAmount = $CTransactionRule->getAmount();\n\n $CTransactionRule->GetByID(TRANSACTION_TIE);\n $CTransactionRule->GetNextRecord();\n $tieAmount = $CTransactionRule->getAmount();\n\n $CLocalFromFantasyTeam->GetAllRecords();\n while ($CLocalFromFantasyTeam->GetNextRecord()) \n {\n $owe = 0;\n $wins = 0;\n $losses = 0;\n $ties = 0;\n\n $CFromFantasyTeamWeekly->GetTeamWeek($CLocalFromFantasyTeam->getNumber(), $week);\n $CFromFantasyTeamWeekly->GetNextRecord();\n $CToFantasyTeamWeekly->GetTeamWeek($CFromFantasyTeamWeekly->getOpponent(), $week); \n $CToFantasyTeamWeekly->GetNextRecord();\n $CFromFantasyTeamWeekly->setPointsAgainst($CToFantasyTeamWeekly->getPoints(), $week); \n\n\n $wins = $CFromFantasyTeamWeekly->GetResultType(WIN, $week); //Get all wins for From Team\n $losses = $CFromFantasyTeamWeekly->GetResultType(LOSE, $week); //Get all losses for From Team\n $ties = $CFromFantasyTeamWeekly->GetResultType(TIE, $week); //Get all ties for From Team\n $pointsAgainst = $CFromFantasyTeamWeekly->GetTotalPointsAgainst(); //Get all points against \n\n if ($CFromFantasyTeamWeekly->getPoints() > $CToFantasyTeamWeekly->getPoints()) //Win\n {\n $CFromFantasyTeamWeekly->setResult(WIN);\n $wins++;\n $owe += $winAmount;\n }\n else if ($CFromFantasyTeamWeekly->getPoints() < $CToFantasyTeamWeekly->getPoints()) //Lose \n {\n $CFromFantasyTeamWeekly->setResult(LOSE);\n $losses++;\n $owe += $loseAmount;\n }\n else //Tie\n {\n $CFromFantasyTeamWeekly->setResult(TIE);\n $ties++;\n $owe += $tieAmount;\t\t\t\t\t//fixed 5/12/03 -- was $loseAmount\n }\n\n //Update wins, losses and ties\n $CLocalFromFantasyTeam->setLosses($losses);\n $CLocalFromFantasyTeam->setTies($ties);\n $CLocalFromFantasyTeam->setWins($wins);\n\n //Calculate winning percentage based on new record\n $pct = ($wins + $ties / 2)/ ($wins + $losses + $ties);\n $CLocalFromFantasyTeam->setPCT($pct);\n $CLocalFromFantasyTeam->setOpponentScore($pointsAgainst);\n\n //Determine penalty if needed\n $out = \"Before compare owe = $owe Comparing \" . $CFromFantasyTeamWeekly->getPoints() . \" with $threshold\\r\\n\";\n LogError(\"Stu.txt\", $out);\n if ($CFromFantasyTeamWeekly->getPoints() < $threshold) \n {\n $owe += $penalty;\n }\n $out = \"After compare owe = $owe\\r\\n\";\n LogError(\"Stu.txt\", $out);\n\n //Update how much the team owes for the result\n $CFromFantasyTeamWeekly->setMoneyOwed($owe);\n }\n\n //Clean up objects\n $CTransactionRule->Destroy();\n $CToFantasyTeamWeekly->Destroy();\n $CFromFantasyTeamWeekly->Destroy();\n $CLocalToFantasyTeam->Destroy();\n $CLocalFromFantasyTeam->Destroy();\n}", "public function hit()\r\n {\r\n\r\n $nume = 'Player'; //numele Player-ului\r\n $msg = '';\r\n // $hptotalqueen=$_SESSION['albine']['queen']['hp'];\r\n // $hptotaldrone=($_SESSION['albine']['drone']['hp'])*($_SESSION['albine']['drone']['albine']);\r\n // $hptotalworker=($_SESSION['albine']['worker']['hp'])*($_SESSION['albine']['worker']['albine']);\r\n // $hptotal=$hptotalworker+$hptotaldrone+$hptotalqueen; rip\r\n \r\n\r\n if ($_SESSION['albine'])\r\n\r\n $rd = array_rand($_SESSION['albine'], 1);\r\n\r\n else\r\n\r\n $this->start('Jocul va reincepe');\r\n\r\n echo 'O albina ' . $rd . ' a luat ' . $_SESSION['albine'][$rd]['hit'] . ' damage. '; //Ultimul atac\r\n // echo '<br>HP total stup ' . $hptotal . ''; rip\r\n $_SESSION['albine'][$rd]['hp'] = $_SESSION['albine'][$rd]['hp'] - $_SESSION['albine'][$rd]['hit']; //update-ul dupa ultimul atac\r\n \r\n\r\n if ($_SESSION['albine'][$rd]['hp'] < 1)\r\n {\r\n $_SESSION['albine'][$rd]['albine'] -= 1; //daca moare o albina, totalul de albine de acel tip scade cu 1.\r\n $_SESSION['albine'][$rd]['hp'] = $_SESSION['albine'][$rd]['hp'];\r\n\r\n switch ($rd)\r\n {\r\n case 'queen':\r\n $msg .= $this->start('<br><br> Albina Queen a murit, iar jocul a reinceput');\r\n break;\r\n default:\r\n $msg .= '<br><br> O albina \\'' . $rd . '\\' a murit :( ';\r\n\r\n }\r\n } //In cazul in care moare albina 'Queen'\r\n \r\n\r\n if ($_SESSION['albine'][$rd]['albine'] < 1)\r\n {\r\n unset($_SESSION['albine'][$rd]);\r\n\r\n $msg = '<br><br> Toate albinele \\'' . $rd . '\\' au murit :( ';\r\n } //Dupa ce mor toate albinele de un anumit tip\r\n else if ($_SESSION['albine'][$rd]['albine'] >= 1)\r\n {\r\n echo '<br><br> Albine \\'' . $rd . '\\' in viata - ';\r\n print_r($_SESSION['albine'][$rd]['albine']);\r\n\r\n } //arata cate albine din tipul lovit au mai ramas\r\n // var_dump($_SESSION['albine']); // debug\r\n echo \"<br><br>\";\r\n print_r($_SESSION['albine']); //afisez statusul stupului\r\n echo '<br><br> Player \\'' . $nume . '\\' ';\r\n\r\n // echo \"<br><br> Albine 'drone' in viata\"; print_r(($_SESSION['albine']['drone']['albine'])*($_SESSION['albine']['drone']['hp']));\r\n \r\n\r\n return '<br><input type=\"button\" value=\"Hit\" onclick=\"window.location = \\'?hit=1\\'\"> ' . $msg;\r\n print ($_SESSION[\"albine\"][$rd][\"hp\"]); //\r\n \r\n }", "function efficiency($data)\n{\n $currTournament = null;\n $currOpponent = null;\n $currGame = null;\n $players = [];\n $tourneyPlayers = [];\n foreach($data as $row)\n {\n if ($currGame != $row['game_id'])\n {\n if ($currGame)\n {\n $tournaments[$currTournament][$currOpponent] = $players;\n $players = [];\n }\n if ($currTournament && $row['tournament'] != $currTournament)\n {\n $tournaments[$currTournament]['Overall'] = $tourneyPlayers;\n $tourneyPlayers = [];\n }\n \n $currTournament = $row['tournament'];\n $currOpponent = $row['opponent'];\n $currGame = $row['game_id'];\n }\n\n foreach(range(1,9) as $n)\n {\n if (!$row[\"p$n\"])\n {\n continue;\n }\n \n if (!isset($players[$row[\"p$n\"]]))\n {\n $players[$row[\"p$n\"]] = ['points' => 0, 'ds' => 0];\n }\n if (!isset($tourneyPlayers[$row[\"p$n\"]]))\n {\n $tourneyPlayers[$row[\"p$n\"]] = ['points' => 0, 'ds' => 0];\n }\n \n $players[$row[\"p$n\"]]['points']++;\n $tourneyPlayers[$row[\"p$n\"]]['points']++;\n if ($row['their_turns'] > 0)\n {\n $players[$row[\"p$n\"]]['ds']++;\n $tourneyPlayers[$row[\"p$n\"]]['ds']++; \n }\n }\n }\n \n $tournaments[$currTournament][$currOpponent] = $players;\n $tournaments[$currTournament]['Overall'] = $tourneyPlayers;\n\n\n $table = [];\n foreach($tournaments as $tourneyName => $opponents)\n {\n foreach($opponents as $oppName => $players)\n {\n uasort($players, function($a,$b) {\n $aPercent = $a['ds'] / $a['points'];\n $bPercent = $b['ds'] / $b['points'];\n if ($aPercent == $bPercent)\n {\n return $a['points'] == $b['points'] ? 0 : ($a['points'] > $b['points'] ? -1 : 1);\n }\n return $aPercent > $bPercent ? -1 : 1;\n });\n \n foreach($players as $player => $stats)\n {\n $table[] = [$tourneyName, $oppName, $player, $stats['ds'], $stats['points'], sprintf('%0.3f',$stats['ds']/$stats['points']) ];\n }\n //$table[] = ['---', '---', '---', '---', '---', '---'];\n }\n //$table[] = [' ', ' ', ' ', ' ', ' ', ' '];\n //$table[] = [' ', ' ', ' ', ' ', ' ', ' '];\n //$table[] = [' ', ' ', ' ', ' ', ' ', ' '];\n }\n \n return $table;\n}", "function attack(){\n\t\t//in the future, ants will be able to attack nests\n\t\t$this->drainstamina();\n\t\t$test = $this->world->findenemy($this->posx, $this->posy, $this->type);\n\t\tif(!is_array($test)){\n\t\t\t$this->brain->setstate(\"findleaf\");\n\t\t\t$this->update();\n\t\t} else {\n\t\t\t$this->world->nest[$test[0]]->ant[$test[1]]->reaction();\n\t\t\t$placehold = &$this->world->nest[$test[0]]->ant[$test[1]];\n $placehold->enemyposx = $this->posx;\n $placehold->enemyposy = $this->posy;\n\t\t\t$this->appendtoturn(\"<b>\" . $this->type . \"</b>(\" . $this->stamina . \") attacked a ant at \" . $placehold->posx . \"-\" . $placehold->posy . \"!\");\n\t\t\tif($placehold->damageresist = true){\n\t\t\t\t$placehold->health = $placehold->health - rand(1, (DAMMAX / 2));\n\t\t\t\t$this->health = $this->health - 1;\n\t\t\t} else {\n\t\t\t\t$placehold->health = $placehold->health - rand(1, DAMMAX);\n\t\t\t}\n\t\t\t$this->appendtoturn(\"<b>\" . $placehold->type . \"</b>(\" . $placehold->stamina . \") has \" . $placehold->health . \" health left.\");\n\t\t}\n\t}", "function xstats_handleShipVsShipStats( $gameId, $currentTurn ) {\n $query = \"SELECT * FROM skrupel_kampf WHERE spiel=\".$gameId.\" ORDER BY id\";\n $result = @mysql_query($query) or die(mysql_error());\n while($row = @mysql_fetch_array($result)) {\n $hull1 = $row['schaden_1'];\n $hull2 = $row['schaden_2'];\n $shipId1 = $row['schiff_id_1'];\n $shipId2 = $row['schiff_id_2'];\n if( substr_count($hull1, ':') > 0) {\n $hull1 = explode( \":\", $hull1 );\n //format is \"nn:nn:nn:\" --> last entry is empty after explode\n $index = count( $hull1 )-2;\n $hull1 = $hull1[$index];\n //echo \"HULL1=\".$hull1.\"<br>\";\n $hull2 = explode( \":\", $hull2 );\n //format is \"nn:nn:nn:\" --> last entry is empty after explode\n $index = count( $hull2 )-2;\n $hull2 = $hull2[$index];\n //echo \"HULL2=\".$hull2.\"<br>\";\n $crew1 = $row['crew_1'];\n $crew1 = explode( \":\", $crew1 );\n //format is \"nn:nn:nn:\" --> last entry is empty after explode\n $index = count( $crew1 )-2;\n $crew1 = $crew1[$index];\n //echo \"CREW1=\".$crew1.\"<br>\";\n $crew2 = $row['crew_2'];\n $crew2 = explode( \":\", $crew2 );\n //format is \"nn:nn:nn:\" --> last entry is empty after explode\n $index = count( $crew2 )-2;\n $crew2 = $crew2[$index];\n //echo \"CREW2=\".$crew2.\"<br>\";\n //states:\n //1 == VICTORY\n //2 == DESTROYED\n //3 == CAPTURED\n $fightResult1 = 1;\n $fightResult2 = 1;\n if( $hull1 == 0 || ($crew1 == 0 && $crew2 == 0 ) ) {\n //echo \"SHIP 1 destroyed<br>\";\n //destroyed\n $fightResult1 = 2;\n //victory for ship2\n xstats_shipPerformedVictory( $gameId, $currentTurn, $shipId2);\n }\n if( $hull2 == 0 || ($crew1 == 0 && $crew2 == 0 ) ) {\n //echo \"SHIP 2 destroyed<br>\";\n //destroyed\n $fightResult2 = 2;\n //victory for ship1\n xstats_shipPerformedVictory( $gameId, $currentTurn, $shipId1);\n }\n if($hull1 > 0 && $hull2 > 0 && $crew1 == 0) {\n //echo \"SHIP 1 has been captured<br>\";\n //captured\n $fightResult1 = 3;\n //victory for ship2\n xstats_shipPerformedVictory( $gameId, $currentTurn, $shipId2);\n }\n if($hull1 > 0 && $hull2 > 0 && $crew2 == 0) {\n //echo \"SHIP 2 has been captured<br>\";\n //captured\n $fightResult2 = 3;\n //victory for ship1\n xstats_shipPerformedVictory( $gameId, $currentTurn, $shipId1);\n }\n //insert this into the ship vs ship stats table\n xstats_insertToShipVSShip($gameId, $shipId1, $fightResult1, (100-$hull1), $shipId2, $currentTurn);\n xstats_insertToShipVSShip($gameId, $shipId2, $fightResult2, (100-$hull2), $shipId1, $currentTurn);\n }else {\n //hull damage is unknown, just set it to 0%\n $hull1 = 100;\n $hull2 = 100;\n //1 == VICTORY\n //2 == DESTROYED\n //3 == CAPTURED\n $fightResult1 = 1;\n $fightResult2 = 1;\n //empty string, its a ship capture without a fight\n //check for an owner change to see who won\n if( xstats_detectShipOwnerChangeLastTurn( $gameId, $shipId1, $currentTurn )) {\n //ok, ship 1 has been captured by ship 2\n $fightResult1 = 3;\n $fightResult2 = 1;\n //victory for ship2\n xstats_shipPerformedVictory( $gameId, $currentTurn, $shipId2);\n }\n if( xstats_detectShipOwnerChangeLastTurn( $gameId, $shipId2, $currentTurn )) {\n //ok, ship 2 has been captured by ship 1\n $fightResult1 = 1;\n $fightResult2 = 3;\n //victory for ship1\n xstats_shipPerformedVictory( $gameId, $currentTurn, $shipId1);\n }\n if( $fightResult1 != 1 || $fightResult2 != 1) {\n //insert this into the ship vs ship stats table\n xstats_insertToShipVSShip($gameId, $shipId1, $fightResult1, (100-$hull1), $shipId2, $currentTurn);\n xstats_insertToShipVSShip($gameId, $shipId2, $fightResult2, (100-$hull2), $shipId1, $currentTurn);\n }\n }\n }\n}", "private function processMap($ants)\n\t{\n \t// we need better assessments for battles, but for now let's go greedy\n\t\t//\t$src[] = array(start,step,until, stop at first ant, pos\n \t$hill_count = count($ants->myHills);\n \t$ant_count = count($ants->myAnts);\n if(!$ant_count)\n \treturn false;\n if($hill_count>0)\n\t\t\t$ant_ratio = $ant_count/$hill_count;\n\t\telse\t\n\t\t\t$ant_ratio = $ant_count;\n\t\t$this->map = array_fill(0, $ants->rows, array_fill(0, $ants->cols, 1024));\n\t\t$seen = null;\n\t\t$antmet = array();\n\t\t$notmet = $ant_count;\n\t\t$HILL_BASE = 5;\n $MAX_POINT= 20;\n if($this->slow) {\n\t $MAX_POINT= 10;\n\t }\n\t\tif($ant_ratio>50)\n\t\t\t$timer = 5;\n\t\telse\n\t\t\t$timer = 1;\n\n\t\tforeach($ants->enemyHills as $tloc => $target)\n\t\t\t$src[$tloc] = array('point' => -4, 'step' => +2, 'until' => $MAX_POINT*$timer, 'first_ant' => 0, 'target' => $target,'origin' => $tloc);\n\t\tif(isset($src))\n\t\t\tif($this->_process( $ants, $src, $antmet, $notmet))\n\t\t\t{\n\n\t\t\t\treturn true;\n\t\t\t}\n\n\t\tunset($src);\n\n\t\tforeach($ants->enemyAnts as $tloc => $target)\t// not really into following them\n\t\t{\n\t\t\tif($hill_count>0)\n \t\tforeach($ants->myHills as $tloc => $myhill)\n \t\t{\n \t\t\tlist($hRow, $hCol) = $myhill;\n\t\t\t\tlist($tRow, $tCol) = $target;\n\t\t\t\t$d = $ants->distance($tRow, $tCol, $hRow, $hCol);\n\t\t\t\tif(($d>14)&&($ant_count<40)) // away\n\t\t\t\t{\n\t\t\t\t\t$src[$tloc] = array('point' => 2*$ants->attackradius2, 'step' => -1, 'until' => 0, 'first_ant' => -1, 'target' => $target,'origin' => $tloc);\n\t\t\t\t\tcontinue 2;\n\t\t\t\t}\n\t\t\t}\n\t\t\t$src[$tloc] = array('point' => -2, 'step' => 1, 'until' => 2*$ants->attackradius2, 'first_ant' => -1, 'target' => $target,'origin' => $tloc);\n\t\t}\n\t\tif(isset($src))\n\t\t\tif($this->_process( $ants, $src, $antmet, $notmet))\n\t\t\t{\n\t\t\t\treturn true;\n\t\t\t}\n\t\tunset($src);\n\n if(!$this->slow)\n\t\tif($notmet)\n\t\t{\n\t\t\t$f = 0;\n\t\t\tforeach($ants->food as $tloc => $target)\n\t\t\t{\n\t\t\t\t$f++;\n\t\t\t\t$src[$tloc] = array('point' => +1, 'step' => +1, 'until' => ($ant_count<100?$MAX_POINT:$MAX_POINT/2), 'first_ant' => +1, 'target' => $target,'origin' => $tloc);\n\t\t\t}\n\t\t\tif(isset($src))\n\t\t\t\tif($this->_process( $ants, $src, $antmet, $notmet))\n\t\t\t\t{\n\t\t\t\t\treturn true;\n\t\t\t\t}\n\t\t\tunset($src);\n\t\t}\n\n if(!$this->slow)\n\t\tif($notmet)\n\t\t{ \n\t\t\tforeach($ants->mayfood as $tloc => $target)\n\t\t\t{\n\t\t\t\t$src[$tloc] = array('point' => +1, 'step' => +1, 'until' => $MAX_POINT/2, 'first_ant' => +1, 'target' => $target,'origin' => $tloc);\n\t\t\t}\n\t\t\tif(isset($src))\n\t\t\t\tif($this->_process( $ants, $src, $antmet, $notmet))\n\t\t\t\t{\n\n\t\t\t\t\treturn true;\n\t\t\t\t}\n\t\t\tunset($src);\n\t\t}\n\n\t\t\n if(!$this->slow)\n\t\tif($notmet)\n\t\tif($hill_count>0)\n\t\t{\t\t\n\t\t\tif($ant_count<10)\n\t\t $MAX_POINT= 10;\n\t\t else\n\t\t $MAX_POINT= 2;\t \t\t\t\n \t\t$point = $MAX_POINT;\n \t\tforeach($ants->myHills as $tloc => $myhill)\n \t\t{\n\t\t\t\t$src[$tloc] = array('point' => $point+1024, 'step' => -1, 'until' => 0+1024, 'first_ant' => 0, 'target' => $myhill,'origin' => $tloc);\n \t\t}\n\t\t\tif(isset($src))\n\t\t\t\tif($this->_process( $ants, $src, $antmet, $notmet))\n\t\t\t\t{\n\t\t\t\t\treturn true;\n\t\t\t\t}\n\t\t\tunset($src);\n\t\t}\n\n \treturn false;\n\t}", "function endTurn($myIsland, $defender, $defenderIsland) {\n $username = $_POST[\"username\"];\n $criteria = \"(`attacker` = '$username' AND `attackerIsland` = '$myIsland'\n AND `defender` = '$defender' AND `defenderIsland` = '$defenderIsland')\n OR (`attacker` = '$defender' AND `attackerIsland` = '$defenderIsland'\n AND `defender` = '$username' AND `defenderIsland` = '$myIsland')\";\n $battle = sqlSelectFirstRow(\"battles\", $criteria, \"id\");\n jslog($battle);\n // turn 1 is the attacker's turn, so odd turns are attacker turns\n $turn = $battle[\"turn\"];\n if ($turn % 2 == 0) {\n // defenders turn\n // check if you are the defender\n if (strSame($battle[\"defender\"], $username) && ($battle[\"defenderIsland\"] == $myIsland)) {\n sqlUpdate(\"battles\", \"`attacker` = '$defender' AND `attackerIsland` = '$defenderIsland'\n AND `defender` = '$username' AND `defenderIsland` = '$myIsland'\", \"turn\", $turn + 1);\n }\n } else {\n // attackers turn\n // check if you are the attacker\n if (strSame($battle[\"attacker\"], $username) && ($battle[\"attackerIsland\"] == $myIsland)) {\n sqlUpdate(\"battles\", \"`attacker` = '$username' AND `attackerIsland` = '$myIsland'\n AND `defender` = '$defender' AND `defenderIsland` = '$defenderIsland'\", \"turn\", $turn + 1);\n }\n }\n\n}", "function execute_boss_attack($phase,$t,$h,$ex,$a,$attr)\n\t{\n\t\t$database = db_connect();\n\t\t$data = (($database->query(\"SELECT * FROM `Game_Data` WHERE 1;\"))->fetch_assoc());\n\t\t$stunexp = $data['stun_expire'];\n\t\t$stunned = $data['boss_stun'];\n\t\tif($stunned)\n\t\t{\n\t\t\tif(time() >= $stunexp)\n\t\t\t\t$stunned = 0;\n\t\t}\n\t\tif(!$stunned)\n\t\t{\n\t\t\t\tif($phase == 1)\n\t\t\t\t\t$dd = damage_boss_attack_p1($t,$h,$ex,$a,$attr);\n\t\t\t\telse\n\t\t\t\t\t$dd = damage_boss_attack_p2($t,$h,$ex,$a,$attr);\n\t\t\t\t\n\t\t\t$cdd = $data['boss_process'];\n\t\t\t$cdd += $dd;\n\t\t\t\n\t\t\t$database->query(\"UPDATE `Game_Data` SET `boss_process` = $cdd WHERE 1;\");\t\n\t\t}\n\t\tclose_db($database);\n\t\treturn NULL;\n\t}", "function exploreBonus(){\n global $map, $strat;\n \n // no exploration during all out war or mopup\n $state = $strat->get_state();\n if(($state == 3) || ($state == 4) ){return 0;}\n // if the game is deadlocked and we have an income advantage, sit on it\n if(($state == 2) && ($map->income_one > ($map->income_two + 1))){\n return 0;\n }\n \n //if we have the income edge, sit on it (not anymore since new pathing...)\n //if($map->income_one > $map->income_two){return 0;}\n \n $explorables = array();\n foreach($map->bonuses as $bonus){\n $attitude = $strat->get_bonus_attitude($bonus->id);\n if($attitude != 2){continue;}\n \n toLogX(\"considering expansion possibilities in {$map->bonus_names[$bonus->id]}\");\n \n $my_provinces = $map->prov_in_bonus($bonus->id, $map->player_one);\n $priority = 3;\n if(count($my_provinces) == 0){\n $priority = 1; \n }\n \n $neutrals = $map->prov_in_bonus($bonus->id, \"neutral\");\n $target_id = -1;\n $best_province = -1;\n $most_value = 0;\n \n // find the best neutral to explore\n foreach ($neutrals as $neutral_id){\n //if it doesnt have adyacent unknown or enemy, it doesnt help us\n $unknown_adyacent = $map->has_adyacent_inbonus($neutral_id, \"unknown\", $bonus->id);\n $enemy_adyacent = $map->has_adyacent_inbonus($neutral_id, $map->player_two, $bonus->id);\n if ((count($unknown_adyacent) == 0) && (count($enemy_adyacent) == 0)){continue;}\n \n $my_adyacent = $map->has_adyacent($neutral_id, $map->player_one);\n $my_blocked = $map->get_blocked($priority);\n $my_non_blocked = array_diff($my_adyacent, $my_blocked);\n if (count($my_non_blocked) < 1){ continue; }\n $best_province_here = $map->strongest_province($my_non_blocked);\n // if no province to attack from, skip\n if($best_province_here < 1){continue;}\n // one again we bail if we have enemies nearby\n if ($map->has_adyacent($best_province_here, $map->player_two)){continue;}\n \n $my_adyacent_armies = $map->regions[$best_province_here]->armies;\n \n $value = $my_adyacent_armies + count($map->regions[$neutral_id]->connections);\n \n $other_bonuses = count($map->bonuses_bordering_prov($neutral_id));\n $value += ($other_bonuses * 3);\n \n if ($value > $most_value){\n $most_value = $value;\n $target_id = $neutral_id;\n $best_province =$best_province_here;\n }\n }\n if ($target_id > -1){\n toLogX(\"best province to explore: {$map->region_names[$target_id]} from {$map->region_names[$best_province]}\");\n \n $armies_attack = reqArmiesAttack($map->regions[$target_id]->armies);\n $armies_deploy = nonZero($armies_attack - $map->regions[$best_province]->armies + 1);\n $explorables[] = new CMove($priority, $armies_deploy, $armies_deploy, $best_province, $armies_attack, \n $best_province, $target_id, 4);\n toLog(\"proposed to attack {$target_id} from {$best_province} to explore bonus {$bonus->id} priority $priority\"); \n }else{\n toLogX(\"no suitable target found in bonus {$map->bonus_names[$bonus->id]}\"); \n }\n }\n $map->proposed_moves = array_merge($map->proposed_moves, $explorables);\n}", "public function yellAtPlayersLikeBobbyKnight();", "abstract public function passes();", "function stunned_attack(){\n\t\t$test = $this->world->findenemy($this->posx, $this->posy, $this->type);\n\t\tif(!is_array($test)){\n\t\t\t$this->brain->setstate(\"findleaf\");\n\t\t} else {\n\t\t\t$this->brain->setstate(\"attack\");\n\t\t}\n\t}", "function global_minuit()\n{ \n try\n {\n $parties = get_all_id_games();\n \n $resultats = array();\n foreach ($parties as $value) \n {\n \n // Teams has 100 battle score at the begining.\n $score_equipe_1 = 100;\n $score_equipe_2 = 100;\n \n // get id of the game.\n $id_partie = $value->id_partie;\n \n // Get number of players in town for each team.\n $joueurs_equipe_1 = get_players_in_city($id_partie, 1);\n $joueurs_equipe_2 = get_players_in_city($id_partie, 2);\n \n // Get content of chest.\n $coffre_equipe1 = loot_get_coffre_ville_return(1, $id_partie);\n $coffre_equipe2 = loot_get_coffre_ville_return(2, $id_partie);\n \n // récupérer le level de l'armurerie\n $level_armurerie_equipe1 = get_level_buildings($id_partie, 1, 1);\n $level_armurerie_equipe2 = get_level_buildings($id_partie, 2, 1);\n \n // calcul of rapidity score.\n $scores_rapidity = give_bonus_rapidity_score($id_partie, $coffre_equipe1, $coffre_equipe2);\n \n // calcul of battle score.\n $score_equipe_1 += get_combat_score($id_partie, 1, $joueurs_equipe_1, $coffre_equipe1, $level_armurerie_equipe1);\n $score_equipe_2 += get_combat_score($id_partie, 2, $joueurs_equipe_2, $coffre_equipe2, $level_armurerie_equipe2);\n \n // calcul of victory points.\n $victory_points = get_victory_points($scores_rapidity, $score_equipe_1, $score_equipe_2);\n \n \n // Save result in data base.\n $resultat = enregistrement_bataille($id_partie, $joueurs_equipe_1, $joueurs_equipe_2, $scores_rapidity, $level_armurerie_equipe1, $level_armurerie_equipe2, $score_equipe_1, $score_equipe_2, $victory_points); \n\n \n //Add \"resultat\" to \"resultats\".\n array_push($resultats, $resultat);\n \n }\n return $resultats;\n }\n catch (Exception $e)\n {\n error_log($e->getMessage());\n }\n}", "public function attackBee() {\r\n $keyType = array_rand($this->bee); \t\t\t// Sélection random d'un type d'abeille (queen, worker, drone)\r\n $keyBee = array_rand($this->bee[$keyType]);\t\t// Sélection random d'une abeille \r\n \r\n if($this->bee[$keyType][$keyBee]->attack()) {\r\n \tunset($this->bee[$keyType][$keyBee]);\r\n \tif($keyType == 'queen' && count($this->bee[$keyType]) <= 0) { // Si la renne est à 0 point de vie on réinitialise la partie\r\n \t\t echo '<br />La renne est à 0 point de vie.';\r\n \t\t $this->resetGame();\r\n \t}\t\r\n }\r\n if(count($this->bee[$keyType]) <= 0) unset($this->bee[$keyType]); \r\n }", "function sim_dps($style, $ticks, $walking = false, $stun_immune = false){\r\n\tglobal $abilities;\r\n\t$time = 0;\r\n\t$incr = 0;\r\n\t$adrenaline = 0;\r\n\t$result = [];\r\n\t$rotation = [];\r\n\t$damage = 0;\r\n\t$stunned = 0;\r\n\t$broke = false;\r\n\t$next = null;\r\n\r\n\t//update walking damage values\r\n\tforeach($abilities->{$style} as &$ability){\r\n\t\tif($walking == true && $ability->walk_bonus > 0){\r\n\t\t\t$ability->tick_damage = ($ability->tick_damage * $ability->walk_bonus);\r\n\t\t\t$ability->average_damage = ($ability->average_damage * $ability->walk_bonus);\r\n\t\t}\r\n\t}\r\n\r\n \twhile($time < $ticks){ //number of ticks to run for\r\n\r\n \t\t//reduce cooldown on all abilities by incr (but not below 0)\r\n \t\tforeach($abilities->{$style} as &$ability){\r\n \t\t\tif($ability->on_cd - $incr <= 0){\r\n \t\t\t\t$ability->on_cd = 0;\r\n \t\t\t}else{\r\n \t\t\t\t$ability->on_cd -= $incr;\r\n \t\t\t}\r\n \t\t}\r\n\r\n \t\t//reduce stunned by incr (but not below 0)\r\n \t\tif($stunned - $incr <= 0){\r\n \t\t\t$stunned = 0;\r\n \t\t}else{\r\n \t\t\t$stunned -= $incr;\r\n \t\t}\r\n\r\n \t\t//reset next\r\n \t\t$next = new stdClass();\r\n\r\n \t\t//find the strongest available ability\r\n \t\tforeach($abilities->{$style} as $abil_index => &$ability){\r\n\r\n \t\t\t//hackerino hackerino save my scripterino\r\n \t\t\t(isset($next->tick_damage)) ? '' : $next->tick_damage = 0;\r\n\r\n \t\t\t//determine thresh or basic based on adren\r\n \t\t\tif($adrenaline >= 50){\r\n \t\t\t\tif($ability->type == 'threshold' && $ability->on_cd == 0 && $ability->tick_damage > $next->tick_damage){\r\n \t\t\t\t\t$next = $ability;\r\n \t\t\t\t}\r\n \t\t\t}else{\r\n \t\t\t\tif($ability->type == 'basic' && $ability->on_cd == 0 && $ability->tick_damage > $next->tick_damage){\r\n \t\t\t\t\t$next = $ability;\r\n \t\t\t\t}\r\n \t\t\t}\r\n \t\t}\r\n \t\t\r\n \t\t//activate the selected ability ($next)\r\n \t\t$next->on_cd = $next->cooldown;\r\n \t\t$incr = $next->cast_duration;\r\n \t\t$time += $incr;\r\n \t\t($next->type == 'basic') ? $adrenaline += 8 : $adrenaline -= 15;\r\n \t\tarray_push($rotation, $next->slug);\r\n \t\t\r\n \t\tif($stun_immune == false && $stunned > 0 && $next->stun_damage != false){\r\n \t\t\t$damage += $next->stun_damage;\r\n \t\t}elseif($walking == true && $next->walk_bonus != false){\r\n \t\t\t$damage += ($next->average_damage * $next->walk_bonus);\r\n \t\t}else{\r\n \t\t\t$damage += $next->tick_damage;\r\n \t\t}\r\n \t\t\r\n \t\tif($next->stun_duration != false){\r\n \t\t\t$stunned = $next->stun_duration;\r\n \t\t}\r\n \t}\r\n\r\n \tif($broke == false){\r\n \t\t$result['rotation'] = $rotation;\r\n \t\t$result['total_ability_damage'] = round($damage*100, 2);\r\n \t\t$result['ticks'] = $time;\r\n \t\t$result['average_damage_per_tick'] = round(($damage / $time)*100, 2);\r\n \t\t$result['dps'] = round((($damage / $time) * 2013)/0.6, 2);\r\n \t\treturn $result;\r\n \t}else{\r\n \t\treturn 'not working';\r\n \t}\r\n}", "function determineWinner($u1Agil, $u1Astr, $u1Lstr, $u1Def, $u1Hlth, $u2Agil, $u2Astr, $u2Lstr, $u2Def, $u2Hlth){\n\t\t//starts at 65% can be anywhere between 0 - 100\n\t\t$chanceToWin = 65;\n\n\t\t//increase or decrease chance to win based on stat differences\n\t\tif($u1Agil >= ($u2Agil*2))\n\t\t\t$chanceToWin += 7;\n\t\telse\n\t\t\t$chanceToWin += (($u1Agil - $u2Agil) / $u2Agil * 7);\n\n\t\tif($u1Astr >= ($u2Astr*2))\n\t\t\t$chanceToWin += 7;\n\t\telse\n\t\t\t$chanceToWin += (($u1Astr - $u2Astr) / $u2Astr * 7);\n\t\n\t\tif($u1Lstr >= ($u2Lstr*2))\n\t\t\t$chanceToWin += 7;\n\t\telse\n\t\t\t$chanceToWin += (($u1Lstr - $u2Lstr) / $u2Lstr * 7);\n\n\t\tif($u1Def >= ($u2Def*2))\n\t\t\t$chanceToWin += 7;\n\t\telse\n\t\t\t$chanceToWin += (($u1Def - $u2Def) / $u2Def * 7);\n\n\t\tif($u1Hlth >= ($u2Hlth*2))\n\t\t\t$chanceToWin += 7;\n\t\telse\t\n\t\t\t$chanceToWin += (($u1Hlth - $u2Hlth) / $u2Hlth * 7);\n\n\t\t//generate random number from 0-100 to compare against chance to win\n\t\t$randomNumber = rand(0, 100);\n\n\t\t/*\n\t\techo \"u1Agil: \".$u1Agil.\"<br>u1Astr: \".$u1Astr.\"<br>u1Lstr: \".$u1Lstr.\"<br>u1Def: \".$u1Def.\"<br>u1Hlth: \".$u1Hlth.\"<br><br>\";\n\t\techo \"u2Agil: \".$u2Agil.\"<br>u2Astr: \".$u2Astr.\"<br>u2Lstr: \".$u2Lstr.\"<br>u2Def: \".$u2Def.\"<br>u2Hlth: \".$u2Hlth.\"<br><br>\";\n\t\techo \"Chance To Win: \".$chanceToWin.\"<br>Random Number: \".$randomNumber.\"<br><br>\";\n\t\t*/\n\n\t\t//if randome number is less than or equal to chance to win, user 1 wins\n\t\tif($randomNumber <= $chanceToWin)\n\t\t\treturn true; //user 1 has won\n\t\telse\n\t\t\treturn false; //user 1 has lost\n\t}", "function bonusattack() {\n \n global $userrow, $fightrow;\n \n if ($userrow[\"bonusattack\"] > 0) {\n \n $first = $userrow[\"bonusattack\"] * 0.25;\n $sec = $userrow[\"bonusattack\"] * 0.5;\n $third = $userrow[\"bonusattack\"] * 0.75;\n $rand = rand(0,100);\n \n if ($rand <= $first) { $multiplier = 2; } \n elseif ($rand <= $sec) { $multiplier = 1.75; } \n elseif ($rand <= $third) { $multiplier = 1.5; } \n elseif ($rand <= $userrow[\"bonusattack\"] && $rand > $third) { $multiplier = 1.25; } \n else { $multiplier = 1; }\n \n \t$fightrow[\"playerphysdamage\"] = floor($fightrow[\"playerphysdamage\"] * $multiplier);\n \t$fightrow[\"track\"] .= \"bonusattack - physdamage:\".$fightrow[\"playerphysdamage\"].\"\\n\";\n \t\n }\n \n}", "public function handleAttack($attack) {\n $session = $this->request->session();\n $idPlayer = $session->read('playerId');\n\n $fighter = $this->Fighters->getFighter($idPlayer);\n\n if ($attack == 'attacktop' && $fighter->coordinate_x > 0) {\n $content = $this->Surroundings->getSurrounding($fighter->coordinate_x - 1, $fighter->coordinate_y);\n $fighter2 = $this->getFighterByCoord($fighter->coordinate_x - 1, $fighter->coordinate_y);\n // If we find a monster\n if (!is_null($content) && $content->type == 'W') {\n $this->Surroundings->delete($content);\n //Add the event to the table\n $this->Flash->success(__('You killed the wumpus !'));\n $this->addEventToDiary($fighter, $this->getCurrentUsername() . ' \\'s ' . $fighter->name . ' killed the wumpus ! ');\n } else if (!is_null($fighter2) && $fighter2->player_id != $fighter->player_id) {\n // Fighter1 attacks Fighter2\n // Find the player which is potentially attacked\n $player2 = $this->Players->find()->where(['id = ' => $fighter2->player_id])->first();\n $this->attackFighter($idPlayer, $player2->id);\n }\n }\n\n if ($attack == 'attackleft' && $fighter->coordinate_y > 0) {\n $content = $this->Surroundings->getSurrounding($fighter->coordinate_x, $fighter->coordinate_y - 1);\n $fighter2 = $this->getFighterByCoord($fighter->coordinate_x, $fighter->coordinate_y - 1);\n\n // If we find a monster\n if (!is_null($content) && $content->type == 'W') {\n $this->Surroundings->delete($content);\n //Add the event to the table\n $this->Flash->success(__('You killed the wumpus !'));\n $this->addEventToDiary($fighter, $this->getCurrentUsername() . ' \\'s ' . $fighter->name . ' killed the wumpus ! ');\n } else if (!is_null($fighter2) && $fighter2->player_id != $fighter->player_id) {\n // Fighter1 attacks Fighter2\n // Find the player which is potentially attacked\n $player2 = $this->Players->find()->where(['id = ' => $fighter2->player_id])->first();\n $this->attackFighter($idPlayer, $player2->id);\n }\n }\n\n if ($attack == 'attackright' && $fighter->coordinate_y < self::WIDTH - 1) {\n $content = $this->Surroundings->getSurrounding($fighter->coordinate_x, $fighter->coordinate_y + 1);\n $fighter2 = $this->getFighterByCoord($fighter->coordinate_x, $fighter->coordinate_y + 1);\n\n\n // If we find a monster\n if (!is_null($content) && !is_null($content) && $content->type == 'W') {\n $this->Surroundings->delete($content);\n //Add the event to the table\n $this->Flash->success(__('You killed the wumpus !'));\n $this->addEventToDiary($fighter, $this->getCurrentUsername() . ' \\'s ' . $fighter->name . ' killed the wumpus ! ');\n } else if (!is_null($fighter2)) {\n // Fighter1 attacks Fighter2\n // Find the player which is potentially attacked\n $player2 = $this->Players->find()->where(['id = ' => $fighter2->player_id])->first();\n $this->attackFighter($idPlayer, $player2->id);\n }\n }\n\n if ($attack == 'attackbottom' && $fighter->coordinate_x < self::LENGTH - 1) {\n $content = $this->Surroundings->getSurrounding($fighter->coordinate_x + 1, $fighter->coordinate_y);\n $fighter2 = $this->getFighterByCoord($fighter->coordinate_x + 1, $fighter->coordinate_y);\n\n // If we find a monster\n if (!is_null($content) && $content->type == 'W') {\n $this->Surroundings->delete($content);\n //Add the event to the table\n $this->Flash->success(__('You killed the wumpus !'));\n $this->addEventToDiary($fighter, $this->getCurrentUsername() . ' \\'s ' . $fighter->name . ' killed the wumpus ! ');\n } else if (!is_null($fighter2) && $fighter2->player_id != $fighter->player_id) {\n // Fighter1 attacks Fighter2\n // Find the player which is potentially attacked\n $player2 = $this->Players->find()->where(['id = ' => $fighter2->player_id])->first();\n $this->attackFighter($idPlayer, $player2->id);\n }\n }\n }", "abstract function passes();", "public function g_target_potential_clashes_set_C (Player $x_player) {\n\n //properties\n $x_forecast_pointers = array();\n $x_found_target = FALSE;\n $x_selection_pointers = array();\n $x_piece_pointer = 0;\n $x_temp_branch = 2;\n $x_temp_target = array();\n \n //populate current players positions and status to temp array\n for($x_counter = 1;$x_counter <= 4; $x_counter++)\n {\n \n if(!$x_player->p_pieces[$x_counter]->m_get_status()) \n {\n //this piece is out of play - set up a dummy which will never get hit\n \n $x_forecast_pointers[$x_counter] = array($x_counter,999,FALSE);\n \n \n } \n \n else\n \n {\n //otherwise, put in a forecast of where it would land based on the dice roll\n \n $x_forecast_pointers[$x_counter] = array($x_counter, $x_player->p_pieces[$x_counter]->m_get_location() * $this->g_dievalue, FALSE);\n }\n }\n\n\n //now for each potential location see if there is a match in the opponent's pieces\n \n $x_temp_opp = $this->g_return_other_player();\n \n for($x_counter_o = 1;$x_counter_o <= 4; $x_counter_o++)\n {\n \n if(!$x_temp_opp->p_pieces[$x_counter_o]->m_get_status()) \n { \n //opp position is out of play and should be ignored - dummy value\n $this->g_logmove(\"Ignoring target piece \".$x_counter_o.\" as it is out of play.\");\n \n $x_temp_opp_location = 888;\n }\n \n else\n \n {\n //hold the location of a potential target piece to hit\n $x_temp_opp_location = $x_temp_opp->p_pieces[$x_counter_o]->m_get_location();\n }\n\n for($x_counter_p=1;$x_counter_p<=4;$x_counter_p++)\n {\n //check that the locations match and that the opponents piece is not at the start, or inactive:\n \n if($x_forecast_pointers[$x_counter_p][1] == $x_temp_opp_location && $x_temp_opp_location != 1 && $x_temp_opp_location != 888) \n \n {\n //we have a potential target\n $x_forecast_pointers[$x_counter_p][2] = TRUE;\n \n $this->g_logmove( \"<font color=green>Player \" . $x_temp_opp->p_get_playerid() . \"'s marker \".$x_counter_o. \" at location \".$x_temp_opp->p_pieces[$x_counter_o]->m_get_location().\" is a target of piece \".$x_counter_p.\"</font>\");\n \n break; //we only need to know this once \n \n } \n \n } //move on to next player piece\n\n } //move on to next opponent piece\n \n\n //clear the array of player's pieces that are not a likely hit\n $x_test_count_flag = FALSE;\n\n for($x_counter_test=1;$x_counter_test<=4;$x_counter_test++)\n {\n if($x_forecast_pointers[$x_counter_test][2] == TRUE) \n {\n //found at least one\n $x_test_count_flag = TRUE;\n \n } \n \n else \n \n {\n unset($x_forecast_pointers[$x_counter_test]);\n }\n }\n\n\n //got at least one potential target\n if($x_test_count_flag) \n {\n\n //now we have an array of only the possible markers to select to target\n $x_forecast_pointers = array_values($x_forecast_pointers);\n\n $x_temp_target = array_rand($x_forecast_pointers,1);\n\n //the piece we choose to move\n $x_piece_pointer = $x_forecast_pointers[$x_temp_target][0];\n\n\n $this->g_logmove( \"<font color=green>Player \" . $x_player->p_get_playerid() . \" has \".sizeof($x_forecast_pointers).\" targets to consider and chose to move piece \".$x_piece_pointer.\"</font>\");\n\n $this->g_marker_move($x_player, $x_piece_pointer);\n\n $x_found_target = TRUE;\n\n return $x_found_target; \n } \n\n else\n\n {\n $this->g_logmove( \"<font color=black>Player \" . $x_player->p_get_playerid() . \" could not find a clash target so is going to find a pointer at random to move.</font>\");\n \n //toss up between on or off board\n $x_offboard_flag = FALSE;\n \n $x_onboard_flag = FALSE;\n \n for($x_counter=1;$x_counter<=4;$x_counter++)\n {\n //loop and see if there is a mix of on-board or off-board marker; do a coin toss if there is\n if($x_player->p_pieces[$x_counter]->m_get_location() == 1 && $x_player->p_pieces[$x_counter]->m_get_status()) \n {\n $x_offboard_flag = TRUE;\n } \n \n if($x_player->p_pieces[$x_counter]->m_get_location() > 1 && $x_player->p_pieces[$x_counter]->m_get_status()) \n {\n $x_onboard_flag = TRUE;\n } \n \n }\n \n if($x_onboard_flag) \n {\n \n if($x_offboard_flag) \n {\n \n //choice is a wonderful thing - 1 is onboard, 2 is offboard\n $x_temp_branch = RAND(1,2);\n \n } else\n \n $x_temp_branch = 1;\n\n }\n \n if($x_temp_branch == 1)\n {\n \n $x_piece_pointer = 0;\n \n $this->g_logmove( \"<font color=black>Finding a piece on the board.</font>\");\n \n $x_piece_pointer = $this->g_find_to_move_in_play($x_player);\n\n if($x_piece_pointer != 0) \n {\n //found one... move it \n\n $this->g_marker_move($x_player, $x_piece_pointer);\n\n $x_found_target = TRUE;\n \n } \n \n else\n \n {\n \n //didn't find one, have to force to go down the SET D path.\n \n $x_temp_branch = 0;\n \n $x_found_target = FALSE;\n }\n }\n \n if($x_temp_branch == 0) \n {\n \n $x_found_target = FALSE; \n \n $this->g_logmove( \"<font color=black>Finding a piece OFF the board using SET D.</font>\");\n }\n \n return $x_found_target;\n }\n\n \n}", "function cast_spell(&$objSrcUser, &$objTrgUser, $arrSpell, $amount, $minHours, $dmg)\n{\n $iOldLength = $objSrcUser->get_spell(FOREST);\n if ($minHours == 0 || $amount == 1)\n {\n $length = max($iOldLength, rand($arrSpell[DURMIN], $arrSpell[DURMAX]));\n $result[\"casted\"] = $amount;\n }\n else\n {\n // Run a loop and check to see if minimum required hours has been reached.\n $result[\"casted\"] = $amount;\n for ($x = 1; $x <= $amount; $x++)\n {\n $length = rand($arrSpell[DURMIN], $arrSpell[DURMAX]);\n if ($length >= $minHours && $length > $iOldLength)\n {\n $result[\"casted\"] = $x;\n break;\n }\n }\n\n }\n $result[\"text_screen\"] = \"Your elves look on in astonishment as the forests that protect your lands grow larger and too thick for even an elf to easily navigate. Your mage estimates that for $length more months your forests will help to protect your lands...\";\n $result[\"damage\"] = 0;\n\n// Make it happen!\n $objSrcUser->set_spell(FOREST, $length);\n return $result;\n}", "public function battle_prep()\n\t{\n\t\t$this->get_ships();\n\t\t\n\t\t// Make some ship objects for stat references.\n\t\t$ref_ships = Ship::get_reference_ships();\n\n\t\t// List of stat names to tally.\n\t\t$stat_names = array('attack', 'defense', 'shield', 'hp', 'capacity');\n\t\t\n\t\t// Tally ship stats.\n\t\tforeach ( $this->ships as $fship )\n\t\t{\n\t\t\t// Get a reference to the generic ship object with ship stats for this type of ship.\n\t\t\t$ship = $ref_ships[$fship->type];\n\n\t\t\t$this->stats = array();\n\t\t\tforeach ( $stat_names as $stat_name )\n\t\t\t\t$this->stats[$stat_name] += ($ship->$stat_name * $fship->count);\n\t\t}\n\t}" ]
[ "0.67525375", "0.63916874", "0.62270164", "0.6077407", "0.6024036", "0.60091996", "0.5983936", "0.58754736", "0.5854286", "0.58022594", "0.57826746", "0.57565254", "0.57455397", "0.57448906", "0.5714856", "0.57102376", "0.5636659", "0.5632932", "0.5626471", "0.5608738", "0.5604303", "0.55982363", "0.554808", "0.5547171", "0.554617", "0.5545566", "0.5529093", "0.54867655", "0.54754084", "0.54627436" ]
0.6708683
1
Retourneert alle meldingen voor de persoon met id=$persoonId en gelezen=0 van nieuw naar oud.
function getAllFromPersoonAndNietGelezen($persoonId) { $this->db->where('gelezen', 0); $this->db->where('persoonId', $persoonId); $this->db->order_by('momentVerzonden', 'DESC'); $query = $this->db->get('melding'); return $query->result(); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function devuelveNovedades()\n {\n\n $this->db->query(\"SELECT * FROM dato_persona as datos\n INNER JOIN novedad on novedad.fk_documento = datos.documento\n INNER JOIN tipo_novedad ON novedad.fk_tipo_novedad = tipo_novedad.id_tipo_novedad INNER JOIN tipo_respuesta ON novedad.fk_tipo_respuesta = tipo_respuesta.id_tipo_respuesta\");\n $this->db->execute();\n return $this->db->objetos();\n }", "private function getMargens() {\n\n $oDaoRhPessoal = db_utils::getDao('rhpessoal');\n $sSqlRhPessoal = $oDaoRhPessoal->sql_queryServidoresConsignar($this->iAnoUsu, $this->iMesUsu, db_getsession('DB_instit'), false);\n $rsRhPessoal = db_query($sSqlRhPessoal);\n\n return $rsRhPessoal;\n }", "public function misMaterias( $idalumno){\n $query = \" SELECT calificacion.idalumno, calificacion.idmateria, materia.nombre, periodo_escolar.idperiodo, \n periodo_escolar.descripcion AS ciclo \n FROM calificacion JOIN alumno ON alumno.idalumno=calificacion.idalumno \n JOIN materia ON materia.idmateria=calificacion.idmateria \n JOIN trimestre ON trimestre.idtrimestre=calificacion.idtrimestre \n JOIN periodo_escolar ON periodo_escolar.idperiodo=trimestre.idperiodo \n WHERE calificacion.idalumno='$idalumno' GROUP BY idmateria; \";\n $registros = parent::getRegistros($query);\n $_respuestas = new Respuestas;\n $respuesta = $_respuestas->response;\n $respuesta[\"result\"] = $registros;\n return $respuesta;\n }", "public function getTelefones() {\n\n if ( count($this->aTelefonesEscola) > 0 ) {\n return $this->aTelefonesEscola;\n }\n\n $oDaoTelefoneEscola = new cl_telefoneescola();\n $sCamposTelefoneEscola = \"escola.*, telefoneescola.*, tipotelefone.*\";\n $sWhereTelefoneEscola = \"ed26_i_escola = {$this->getCodigo()}\";\n $sSqlTelefoneEscola = $oDaoTelefoneEscola->sql_query(null, $sCamposTelefoneEscola, null, $sWhereTelefoneEscola);\n $rsTelefoneEscola = $oDaoTelefoneEscola->sql_record($sSqlTelefoneEscola);\n $iTotalTelefoneEscola = $oDaoTelefoneEscola->numrows;\n\n if ($iTotalTelefoneEscola > 0) {\n\n for ($iContador = 0; $iContador < $iTotalTelefoneEscola; $iContador++) {\n\n $oDadosTelefoneEscola = db_utils::fieldsMemory($rsTelefoneEscola, $iContador);\n $oTelefoneEscola = new stdClass();\n $oTelefoneEscola->iDDD = $oDadosTelefoneEscola->ed26_i_ddd;\n $oTelefoneEscola->iNumero = $oDadosTelefoneEscola->ed26_i_numero;\n $oTelefoneEscola->iRamal = $oDadosTelefoneEscola->ed26_i_ramal;\n $oTelefoneEscola->sObservacao = $oDadosTelefoneEscola->ed26_t_obs;\n $oTelefoneEscola->iTipoTelefone = $oDadosTelefoneEscola->ed26_i_tipotelefone;\n $oTelefoneEscola->sTipoTelefone = $oDadosTelefoneEscola->ed13_c_descr;\n\n $this->aTelefonesEscola[] = $oTelefoneEscola;\n }\n }\n\n return $this->aTelefonesEscola;\n }", "public function get_detail_013($id_permohonan_masuk)\n {\n $this->db->select('permohonan_surat.*, nama_surat.nama_surat, srt_ket_penghasilan.*');\n $this->db->from('permohonan_surat');\n $this->db->join('nama_surat', 'permohonan_surat.id_nama_surat = nama_surat.id_nama_surat', 'INNER');\n $this->db->join('srt_ket_penghasilan', 'permohonan_surat.id_permohonan_surat = srt_ket_penghasilan.id_permohonan_surat', 'INNER');\n $this->db->where('permohonan_surat.id_permohonan_surat', $id_permohonan_masuk);\n $this->db->where('permohonan_surat.status_delete', 0);\n\n $hasil = $this->db->get();\n return $hasil;\n }", "public function get_detail_014($id_permohonan_masuk)\n {\n $this->db->select('permohonan_surat.*, nama_surat.nama_surat, srt_ket_pindah.*');\n $this->db->from('permohonan_surat');\n $this->db->join('nama_surat', 'permohonan_surat.id_nama_surat = nama_surat.id_nama_surat', 'INNER');\n $this->db->join('srt_ket_pindah', 'permohonan_surat.id_permohonan_surat = srt_ket_pindah.id_permohonan_surat', 'INNER');\n $this->db->where('permohonan_surat.id_permohonan_surat', $id_permohonan_masuk);\n $this->db->where('permohonan_surat.status_delete', 0);\n\n $hasil = $this->db->get();\n return $hasil;\n }", "public function listInformesPendientes(){\n \treturn $this->find('list',\n \t\t\tarray(\n \t\t\t\t\t'conditions'=>array(\n \t\t\t\t\t\t\t'OR' => array( \n \t\t\t\t\t\t\t\t'ActaMedioAmbiente.info_des_conclusion '=> '',\n \t\t\t\t\t\t\t\t'ActaMedioAmbiente.info_des_rec '=> '',\n \t\t\t\t\t\t\t)\n \t\t\t\t\t)\n \t\t\t));\n }", "public function getPresensi()\n\t {\n\t\t\t$this->db->where(\"idkelas\",$this->input->post(\"idkelas\"));\n\t\t\t$this->db->where(\"idsemester\",$this->input->post(\"idsemester\"));\n\t\t\t$this->db->where(\"tanggal\",$this->input->post(\"tanggal_awal\"));\n\t\t\t$result = $this->db->get('presensiharian')->last_row();\n\t\t\n\t\t\t$this->M_API->JSON($result);\n\t }", "public function obtenerMesasExamenesDisponibles()\n {\n \t$q = Doctrine_Query::create()\n \t->select('me.*')\n \t->from('MesasExamenes me')\n \t->where('(me.idestadomesaexamen=1 or me.idestadomesaexamen=2)')\n \t->andWhere('me.idcatedra = '.$this->idcatedra);\n \t\t\n \treturn $q->execute();\n }", "public function get_detail_012($id_permohonan_masuk)\n {\n $this->db->select('permohonan_surat.*, nama_surat.nama_surat, srt_pengantar_kk.*');\n $this->db->from('permohonan_surat');\n $this->db->join('nama_surat', 'permohonan_surat.id_nama_surat = nama_surat.id_nama_surat', 'INNER');\n $this->db->join('srt_pengantar_kk', 'permohonan_surat.id_permohonan_surat = srt_pengantar_kk.id_permohonan_surat', 'INNER');\n $this->db->where('permohonan_surat.id_permohonan_surat', $id_permohonan_masuk);\n $this->db->where('permohonan_surat.status_delete', 0);\n\n $hasil = $this->db->get();\n return $hasil;\n }", "public static function pemesananById($konsumen_id) {\n\t\t\n $app = \\Slim\\Slim::getInstance();\n \n $sql = \"SELECT pemesanan_id, konsumen_id, pemesanan_latitude, pemesanan_longitude, \"\n . \"pemesanan_alamat, pemesanan_paket, pemesanan_catatan, pemesanan_baju, \"\n . \"pemesanan_celana, pemesanan_rok, pemesanan_tanggal, pemesanan_harga,pemesanan_status FROM laundry_pemesanan \"\n . \"WHERE konsumen_id =:konsumen_id ORDER BY pemesanan_no DESC LIMIT 1\" ; \n\n $stmt = $app->db->prepare($sql);\n $stmt->execute(array('konsumen_id'=>$konsumen_id));\n \n $konsumen=$stmt->fetch(PDO::FETCH_ASSOC);\n \n if($stmt->rowCount() > 0)\n {\n // fetching all user tasks\n \n\n // echo json response\n return $konsumen;\n } else {\n return false;\n }\n }", "private function getMesPuntuats(){\n $result = $this->llibreGateway->getMesValorats();\n \n return $this->crearResposta('200 OK', $result);\n }", "function get_all_pemesanan()\n {\n $this->db->order_by('id_pemesanan', 'DESC');\n return $this->db->get('pemesanan')->result();\n }", "public function getAllOfficersPatrollingAllLots(){\n $this->db->query(\"\n SELECT o.Officer_ID, e.First_Name, e.Last_Name, o.Shift\n FROM Parking_Lot_Employee e, Officer o \n WHERE e.Employee_ID = o.Employee_ID \n AND NOT EXISTS (SELECT * from Parking_Lot l \n WHERE NOT EXISTS (SELECT p.Officer_ID \n FROM Patrols p \n WHERE o.Officer_ID = p.Officer_ID AND l.Lot_ID = p.Lot_ID));\n \");\n\n // ASSIGN RESULT SET\n $results = $this->db->resultSet();\n return $results;\n }", "function get_peminjaman($id_peminjaman)\n {\n return $this->db->get_where('peminjaman', array('id_peminjaman' => $id_peminjaman))->row_array();\n }", "function getPersonnageById($idPerso) {\r\n\t$perso = null;\r\n\t\r\n\t$connexionBDD = getConnexionBDD();\r\n\t$sqlQuery = $connexionBDD->prepare(\"SELECT p.id, p.nom, p.level, p.genre, \r\n\t\tr.id as idRace, r.libelle as libelleRace, r.iconPath as iconPathRace,\r\n\t\tc.id as idClasse, c.libelle as libelleClasse, c.iconPath as iconPathClasse, \r\n\t\tp.idJeu\r\n\t\tFROM er_personnage p \r\n\t\tLEFT JOIN er_race r ON (p.idRace = r.id) \r\n\t\tLEFT JOIN er_classe c ON (p.idClasse = c.id)\r\n\t\tWHERE p.id = :idPerso\");\r\n\t\r\n\t$sqlQuery->execute(array('idPerso' => $idPerso));\r\n\twhile($lignes=$sqlQuery->fetch(PDO::FETCH_OBJ))\r\n {\r\n\t\t// On créé le jeu associé\r\n\t\t$jeu = getJeuById($lignes->idJeu);\r\n\t\t$race = new Race($lignes->idRace, $lignes->libelleRace);\r\n\t\t$race->iconPath = $lignes->iconPathRace;\r\n\t\t$classe = new Classe($lignes->idClasse, $lignes->libelleClasse);\r\n\t\t$classe->iconPath = $lignes->iconPathClasse;\r\n\t\t$perso = new Personnage($lignes->id, $lignes->nom, $jeu);\r\n\t\t$perso->level = $lignes->level;\r\n\t\t$perso->genre = $lignes->genre;\r\n\t\t$perso->race = $race;\r\n\t\t$perso->classe = $classe;\r\n\t}\r\n\t\r\n\treturn $perso;\r\n}", "public function listeMouvementByPayementId($id_mouvement){\n\t\t\t\t\t$sql = \"SELECT * FROM mouvement WHERE mouvement.id_mouvement = \".$id_mouvement.\" \";\n\t\t\t\t\t if($this->db != null)\n\t\t\t\t\t {\n\t\t\t\t\t return $this->db->query($sql)->fetchAll();\n\t\t\t\t\t }else{\n\t\t\t\t\t return null;\n\t\t\t\t\t }\n\t\t\t\t\t }", "public function jumlah_permohonan_masuk()\n {\n $this->db->select('id_permohonan_surat, COUNT(id_permohonan_surat) as total_permohonan_masuk');\n $this->db->where('status', 'Menunggu Persetujuan Kelurahan');\n $this->db->where('status_delete', 0);\n\n $hasil = $this->db->get('permohonan_surat');\n return $hasil;\n }", "public function get_detail_007($id_permohonan_masuk)\n {\n $this->db->select('permohonan_surat.*, nama_surat.nama_surat, srt_ket_tidak_mampu.*');\n $this->db->from('permohonan_surat');\n $this->db->join('nama_surat', 'permohonan_surat.id_nama_surat = nama_surat.id_nama_surat', 'INNER');\n $this->db->join('srt_ket_tidak_mampu', 'permohonan_surat.id_permohonan_surat = srt_ket_tidak_mampu.id_permohonan_surat', 'INNER');\n $this->db->where('permohonan_surat.id_permohonan_surat', $id_permohonan_masuk);\n $this->db->where('permohonan_surat.status_delete', 0);\n\n $hasil = $this->db->get();\n return $hasil;\n }", "public function get_detail_002($id_permohonan_masuk)\n {\n $this->db->select('permohonan_surat.*, nama_surat.nama_surat, srt_ket_domisili.*');\n $this->db->from('permohonan_surat');\n $this->db->join('nama_surat', 'permohonan_surat.id_nama_surat = nama_surat.id_nama_surat', 'INNER');\n $this->db->join('srt_ket_domisili', 'permohonan_surat.id_permohonan_surat = srt_ket_domisili.id_permohonan_surat', 'INNER');\n $this->db->where('permohonan_surat.id_permohonan_surat', $id_permohonan_masuk);\n $this->db->where('permohonan_surat.status_delete', 0);\n\n $hasil = $this->db->get();\n return $hasil;\n }", "public function poMassal($nomorPO){\n $hasil = $this->db->query(\"SELECT *, DATE_FORMAT(a.tanggalMasuk, '%Y-%m-%d') AS tglmsk, DATE_FORMAT(a.tanggalEstimasiPenyelesaian, '%Y-%m-%d') AS tglpsy FROM pomasal a LEFT JOIN produk b ON a.idProduk = b.idProduk LEFT JOIN customer c ON a.idCustomer=c.idCustomer LEFT JOIN user d ON a.idSalesPerson = d.idUser WHERE nomorPO=$nomorPO LIMIT 1\");\n if($hasil->num_rows() > 0){\n return $hasil->result();\n } else{\n return array();\n }\n }", "public function listePayementByMouvementId($id){\n\t\t\t\t\t$sql = \"SELECT * FROM payement WHERE payement.id_mouvement = \".$id.\" \";\n\t\t\t\t\t if($this->db != null)\n\t\t\t\t\t {\n\t\t\t\t\t return $this->db->query($sql)->fetchAll();\n\t\t\t\t\t }else{\n\t\t\t\t\t return null;\n\t\t\t\t\t }\n\t\t\t\t\t }", "function get_pemesanan($id_pemesanan)\n {\n return $this->db->get_where('pemesanan',array('id_pemesanan'=>$id_pemesanan))->row();\n }", "public function get_detail_005($id_permohonan_masuk)\n {\n $this->db->select('permohonan_surat.*, nama_surat.nama_surat, srt_izin_keramaian.*');\n $this->db->from('permohonan_surat');\n $this->db->join('nama_surat', 'permohonan_surat.id_nama_surat = nama_surat.id_nama_surat', 'INNER');\n $this->db->join('srt_izin_keramaian', 'permohonan_surat.id_permohonan_surat = srt_izin_keramaian.id_permohonan_surat', 'INNER');\n $this->db->where('permohonan_surat.id_permohonan_surat', $id_permohonan_masuk);\n $this->db->where('permohonan_surat.status_delete', 0);\n\n $hasil = $this->db->get();\n return $hasil;\n }", "public function jumlah_permohonan_selesai()\n {\n $this->db->select('id_permohonan_surat, COUNT(id_permohonan_surat) as total_permohonan_selesai');\n $this->db->where('status', 'Selesai');\n $this->db->where('status_delete', 0);\n\n $hasil = $this->db->get('permohonan_surat');\n return $hasil;\n }", "public function get_detail_009($id_permohonan_masuk)\n {\n $this->db->select('permohonan_surat.*, nama_surat.nama_surat, srt_ket_kematian.*');\n $this->db->from('permohonan_surat');\n $this->db->join('nama_surat', 'permohonan_surat.id_nama_surat = nama_surat.id_nama_surat', 'INNER');\n $this->db->join('srt_ket_kematian', 'permohonan_surat.id_permohonan_surat = srt_ket_kematian.id_permohonan_surat', 'INNER');\n $this->db->where('permohonan_surat.id_permohonan_surat', $id_permohonan_masuk);\n $this->db->where('permohonan_surat.status_delete', 0);\n\n $hasil = $this->db->get();\n return $hasil;\n }", "function getPemesanan($id_pemesanan)\n {\n return $this->db->get_where('pemesanan',array('id_pemesanan'=>$id_pemesanan))->row_array();\n }", "public function indexMouvements()\n {\n $connection = ConnectionManager::get('default');\n $res2 = $connection\n ->execute(\n 'SELECT * FROM personnalisation'\n )->fetch('assoc');\n $this->set('personnalisation',$res2);\n $this->paginate = [\n 'contain' => ['Magasins', 'Articles']\n ];\n $mouvements = $this->paginate(TableRegistry::get('Mouvements'));\n\n $this->set(compact('mouvements'));\n $this->set('_serialize', ['mouvements']);\n $this->render('/Espaces/respostocks/index_mouvements');\n }", "public function listarPersona_notificación($id)\n\t{\n\t\t$this->db->select('rtspersona_deb.*');\n\t\t$this->db->from($this->tabla);\n\t\t$this->db->join('rtslogin_deb', 'rtspersona_deb.IdPersona = rtslogin_deb.IdPersona', 'INNER');\n\t\t$this->db->where('rtslogin_deb.IdLogin', $id);\n\t\t$res = $this->db->get()->row();\n\n\t\treturn $res;\n\t}", "public function get_detail_010($id_permohonan_masuk)\n {\n $this->db->select('permohonan_surat.*, nama_surat.nama_surat, srt_ket_kelahiran.*');\n $this->db->from('permohonan_surat');\n $this->db->join('nama_surat', 'permohonan_surat.id_nama_surat = nama_surat.id_nama_surat', 'INNER');\n $this->db->join('srt_ket_kelahiran', 'permohonan_surat.id_permohonan_surat = srt_ket_kelahiran.id_permohonan_surat', 'INNER');\n $this->db->where('permohonan_surat.id_permohonan_surat', $id_permohonan_masuk);\n $this->db->where('permohonan_surat.status_delete', 0);\n\n $hasil = $this->db->get();\n return $hasil;\n }" ]
[ "0.5967028", "0.5938846", "0.58387357", "0.581652", "0.5794173", "0.5731804", "0.57222635", "0.5705479", "0.56975526", "0.56833327", "0.56326807", "0.56226885", "0.56183606", "0.561603", "0.5606762", "0.5603926", "0.56018347", "0.5583512", "0.5581707", "0.55739236", "0.556953", "0.5568753", "0.5552941", "0.5551029", "0.55491287", "0.5547644", "0.55348915", "0.5524009", "0.5523234", "0.5520896" ]
0.7460046
0
Update het record in de tabel melding met de id die uit $melding gehaald wordt
function update($melding) { $this->db->where('id', $melding->id); $this->db->update('melding', $melding); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function update_musik($data, $id){\n $this->db->where('id', $id);\n $this->db->update($this->tabel2, $data);\n return TRUE;\n }", "public function update_record(){\n\t\t\t\n\t\t}", "public function update_reihenfolge(){\n $id = $_POST['id'];\n $table = $_POST['table'];\n $reihen['reihenfolge'] = $_POST['reihenfolge'];\n if(SESSION::get('admin')){\n $this->_model->update($table,$reihen,\"id=$id\");\n }\n }", "public function update(){\n $query = \"UPDATE `manga` SET `nom`= :nom,`annee`= :annee,`genre`= :genre,`commentaire`= :commentaire,`id_utilisateur`= :id_utilisateur WHERE id_manga = :id_manga\";\n $result = $this->pdo->prepare($query);\n $result->bindValue(\"nom\", $this->nom, PDO::PARAM_STR);\n $result->bindValue(\"annee\", $this->annee, PDO::PARAM_INT);\n $result->bindValue(\"genre\", $this->genre, PDO::PARAM_STR);\n $result->bindValue(\"commentaire\", $this->commentaire, PDO::PARAM_STR);\n $result->bindValue(\"id_utilisateur\", $this->id_utilisateur, PDO::PARAM_INT);\n $result->bindValue(\"id_manga\", $this->id_manga, PDO::PARAM_INT);\n $result->execute();\n \n }", "public function update()\n {\n $post = $this->input->post();\n $this->id_anggota = $post[\"id\"];\n $this->nik = $post[\"nik\"];\n $this->nama = $post[\"nama\"];\n $this->jml_anggotakeluarga = $post[\"jml_anggotakeluarga\"];\n $this->ttl = $post[\"ttl\"];\n $this->jenis_kelamin = $post[\"jenis_kelamin\"];\n $this->pekerjaan = $post[\"pekerjaan\"];\n $this->no_hp = $post[\"no_hp\"];\n $this->alamat = $post[\"alamat\"];\n $this->db->update($this->_table, $this, array('id_anggota' => $post['id']));\n }", "public function update($data,$id);", "public function update()\n {\n Database::update( $this->table, $this->members, \"id='\".$this->id.\"'\");\n }", "function _update() {\n\t\t$database = database::db();\n\t\t$update = 'UPDATE `'.$this->table.'` SET '.$this->_fields();\n\t\t$update .= sprintf(' WHERE '.$this->_esc($this->id_field).'=%s', $this->_esc($this->set[$this->id_field]));\n\t\t$database->query($update);\n\t\t$this->query = $update;\n\t\t//return $ret;\n\t}", "public function update(){\n\t\t$sql = \"update \".self::$tablenombre.\" set nombre_prueba=\\\"$this->nombre\\\",curso_prueba=$this->curso,tema_prueba=$this->tema,num_preguntas_prueba=$this->numpreguntas,fecha_cierra_prueba=\\\"$this->fecha_cierra\\\",ver_resultado_prueba=$this->verresultados,asignatura_prueba=$this->asignatura,fecha_abre_prueba=\\\"$this->fecha_abre\\\",grado=$this->grado where id_prueba=$this->id\";\n\t\tExecutor::doit($sql);\n\t}", "public function updateById();", "public function update(){\n\t\t$sql = \"update \".self::$tablename.\" set name=\\\"$this->name\\\",email=\\\"$this->email\\\",last_name=\\\"$this->last_name\\\",username=\\\"$this->username\\\",rol=$this->rol,plant_id=$this->plant_id where id=$this->id\";\n\t\tExecutor::doit($sql);\n\t}", "public function update(){\n\t\t$sql = \"update \".self::$tablename.\" set nrodoc=\\\"$this->nrodoc\\\",nombre=\\\"$this->nombre\\\" where id=$this->id\";\n\t\tExecutor::doit($sql);\n\t}", "function edit_data($id,$data)\n\t\t{\n\t\t\t$this->db->where($this->id,$id);\n\t\t\t$this->db->update($this->nama_table,$data);\n\t\t}", "public function destaquePlato($id,$destaque){\n\n $data = array(\n 'en_destaque' => $destaque,\n );\n $this->tableGateway->update($data, array('in_id' => $id));\n \n// var_dump($id);\n// var_dump($destaque);exit;\n }", "public function updateKelasPembinaan($data,$id_kelas_pembinaan){\n $this->db->update('m_kelas_pembinaan',$data,['id_kelas_pembinaan'=>$id_kelas_pembinaan]);\n return $this->db->affected_rows();\n }", "public function update(){\n $post = $this->input->post();\n $this->id_layanan = $post[\"id\"];\n $this->nama_layanan = $post[\"nama_layanan\"];\n $this->db->update($this->_table, $this, array('id_layanan' => $post['id']));\n }", "function update_entry($data)\n{\n $this->db->update('barang', $data, array('id_barang' => $data['id_barang']));\n }", "function updatePemesanan($id_pemesanan,$params)\n {\n $this->db->where('id_pemesanan',$id_pemesanan);\n return $this->db->update('pemesanan',$params);\n }", "public function updatePeg($id,$data,$table)\n\t\t{\n\t\t\t$this->db->where('id_kar',$id);\n\t\t\t$this->db->update($table,$data);\n\t\t}", "public function updateAction(){\r\n $this->_helper->layout->disableLayout();\r\n $this->_helper->viewRenderer->setNoRender();\r\n $class = \"Model_\".$this->getRequest()->getParam('table');\r\n $id = new $class((int)$this->getRequest()->getParam('id'));\r\n $column = $this->getRequest()->getParam('column');\r\n $data = $this->getRequest()->getPost();\r\n $id->{$column} = $data['value'];\r\n $id->save();\r\n echo $data['value'];\r\n }", "public function update(Inscription $part) \n // CHANGER UNIQUEMENT L'ADRESSE !!!! \n {\n // echo $req ; => OK ! \n\t\t\n\t//\t$id=$part->get_idStudent();\n\t\t$id=$part->get_fkStudent();\n\t\t$annee=$part->get_annee();\n\t\t$date=$part->get_date();\n\t\t$montantVerse=$part->get_montantVerse();\n\t\t$decision=$part->get_decision();\n\t\t$remarque=$part->get_remarque();\n\t\t//$email=$part->get_email();\n\t\t//$statut=$part->get_statut();\n\t\n\t\t\n\t\t/* echo \"dans update -addresse: $adresse\";\n\t\techo \"dans update -id: $id\"; */\n\t\t\n // $q = $this->_db->query('UPDATE inscription SET fkStudent = \"'.$part->get_fkStudent().'\" WHERE idStudent = \"'.$part->get_idStudent().'\"');\n\t\t$q = $this->_db->query('UPDATE inscription SET annee = \"'.$part->get_annee().'\" WHERE fkStudent = \"'.$part->get_fkStudent().'\"');\n\t\t$q = $this->_db->query('UPDATE inscription SET date = \"'.$part->get_date().'\" WHERE fkStudent = \"'.$part->get_fkStudent().'\"');\n\t\t$q = $this->_db->query('UPDATE inscription SET montantVerse = \"'.$part->get_montantVerse().'\" WHERE fkStudent = \"'.$part->get_fkStudent().'\"');\n\t\t$q = $this->_db->query('UPDATE inscription SET decision = \"'.$part->get_decision().'\" WHERE fkStudent = \"'.$part->get_fkStudent().'\"');\n\t\t$q = $this->_db->query('UPDATE inscription SET remarque = \"'.$part->get_remarque().'\" WHERE fkStudent = \"'.$part->get_fkStudent().'\"');\n\t\t//$q = $this->_db->query('UPDATE student SET email = \"'.$part->get_email().'\" WHERE idStudent = \"'.$part->get_idStudent().'\"');\n\t\t//$q = $this->_db->query('UPDATE student SET statut = \"'.$part->get_statut().'\" WHERE idStudent = \"'.$part->get_idStudent().'\"');\n //$q = $this->_db->prepare($req); \n // $q->execute();\n \n }", "public function update($id) {\n $tapel = \\App\\Models\\Tapel::find($id);\n if($tapel->gelombang){\n $tapel->gelombang->jumlah = \\Input::get('jumlah');\n $tapel->gelombang->save();\n }else{\n $gelombang = new Gelombang();\n $gelombang->jumlah = \\Input::get('jumlah');\n $tapel->gelombang()->save($gelombang);\n }\n \n return \\Redirect::route('master.gelombang.index');\n }", "public function update() {\n\t\t$db = new DB();\t\t\n $data = $this->loadData();\n $db->update($data, $this->tableName, 'id = '. $this->id);\n\n\t\treturn true;\n\t}", "public function update(){\n\t\t$sql = \"update \".self::$tablename.\" set name=\\\"$this->name\\\", lastname=\\\"$this->lastname\\\", cellphone=\\\"$this->cellphone\\\", client_id=$this->client_id, city_id=$this->city_id where id=$this->id\";\n\t\tExecutor::doit($sql);\n\t}", "function prosesupdate($id_pegawai)\n {\n $this->M_datapegawai->updateDataPegawai($id_pegawai);\n }", "public function actionUpdate($id)\n {\n $model = $this->findModel($id);\n \n if ($model->load(Yii::$app->request->post()) && $model->save()) {\n if ($model->tanggalselesaicetak !==null)\n {\n $cekmodelpengiriman = Pengiriman::find()->where(['idpercetakan'=>$model->id])->one();\n if ($cekmodelpengiriman ==null)\n {\n $modelpengiriman= new Pengiriman();\n $modelpengiriman->idpercetakan = $model->id;\n $modelpengiriman->userid = $model->userid;\n $modelpengiriman->save();\n }\n }\n\n Yii::$app->session->setFlash('success', \"Data Berhasil di Update.\");\n return $this->redirect(['index']);\n }\n /*Yii::$app->session->setFlash('danger', \"Maaf data tidak dapat di save.\");*/\n return $this->render('update', [\n 'model' => $model,\n ]);\n }", "public function update($data, $id);", "function update_pemesanan($id_pemesanan,$params)\n {\n $this->db->where('id_pemesanan',$id_pemesanan);\n return $this->db->update('pemesanan',$params);\n }", "function update($model, $id);", "abstract public function update($id);" ]
[ "0.7206039", "0.70257145", "0.69094604", "0.6844434", "0.67338544", "0.67317253", "0.671879", "0.6661231", "0.6647724", "0.66201997", "0.6608539", "0.65600234", "0.6545664", "0.653318", "0.6514568", "0.6509597", "0.6506085", "0.6490518", "0.6488552", "0.64699614", "0.64608616", "0.64521825", "0.6447336", "0.6433018", "0.64279664", "0.64182705", "0.64150447", "0.64135116", "0.64087343", "0.6399706" ]
0.76319426
0
Voegt een nieuw record melding=$melding', $melding toe in de tabel melding', $melding
function insert($melding) { $this->db->insert('melding', $melding); return $this->db->insert_id(); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function tomMelding() { //sjekker at melding har innhold\n $melding = $_POST['melding']; \n if (empty($melding)) { //er melding tom?\n return \"<font color='red'>Meldingsfeltet kan ikke være tomt.</font>\";\n } //if (empty($melding))\n return null; //melding er ok \n }", "function listQueryRepDupak(){\n\t\t\t$sql = \"select r.nourutakd,\".static::schema.\".f_namalengkap(p.gelardepan,p.namadepan,p.namatengah,p.namabelakang,p.gelarbelakang) as namalengkap,p.nik,\n\t\t\t\t\tu.kodeunit+' - '+u.namaunit as unit,t.tipepeg+' - '+j.jenispegawai as jenispegawai\n\t\t\t\t\tfrom \".self::table('ak_skdosen').\" r \n\t\t\t\t\tleft join \".self::table('ms_pegawai').\" p on p.idpegawai = r.idpegawai\n\t\t\t\t\tleft join \".self::table('ms_jenispeg').\" j on j.idjenispegawai = p.idjenispegawai\n\t\t\t\t\tleft join \".self::table('ms_tipepeg').\" t on t.idtipepeg = p.idtipepeg\n\t\t\t\t\tleft join \".self::table('ms_unit').\" u on u.idunit = p.idunit\";\n\t\t\t\n\t\t\treturn $sql;\n\t\t}", "function insertbilldetail($data){\n\t\t$query = \"INSERT INTO chi_tiet_hoa_don (ma_hd,ma_sp,ten_sp,so_luong,gia_ban,thanh_tien) VALUES ('\".$data['ma_hd'].\"','\".$data['ma_sp'].\"','\".$data['ten_sp'].\"','\".$data['so_luong'].\"','\".$data['gia_ban'].\"','\".$data['thanh_tien'].\"')\";\n\n\t\t// Thuc thi cau lenh truy van co so du lieu\n\t\t$result = $this->conn->query($query);\n\t}", "function log_penyusutan($Aset_ID, $tableKib, $Kd_Riwayat, $tahun, $Data, $DBVAR)\n{\n\n $QueryKibSelect = \"SELECT * FROM $tableKib WHERE Aset_ID = '$Aset_ID'\";\n $exequeryKibSelect = $DBVAR->query ($QueryKibSelect);\n $resultqueryKibSelect = $DBVAR->fetch_object ($exequeryKibSelect);\n\n $tmpField = array();\n $tmpVal = array();\n $sign = \"'\";\n $AddField = \"action,changeDate,TglPerubahan,Kd_Riwayat,NilaiPerolehan_Awal,AkumulasiPenyusutan_Awal,NilaiBuku_Awal,PenyusutanPerTahun_Awal\";\n $action = \"Penyusutan_\" . $tahun . \"_\" . $Data[ 'kodeSatker' ];\n $TglPerubahan = \"$tahun-12-31\";\n $changeDate = date ('Y-m-d');\n $NilaiPerolehan_Awal = 0;\n /* $NilaiPerolehan_Awal = $Data['NilaiPerolehan_Awal'];\n if($NilaiPerolehan_Awal ==\"\"||$NilaiPerolehan_Awal ==0){\n $NilaiPerolehan_Awal =\"NULL\";\n }*/\n $AkumulasiPenyusutan_Awal = $Data[ 'AkumulasiPenyusutan_Awal' ];\n if($AkumulasiPenyusutan_Awal == \"\" || $AkumulasiPenyusutan_Awal == \"0\") {\n $AkumulasiPenyusutan_Awal = \"NULL\";\n }\n\n $NilaiBuku_Awal = $Data[ 'NilaiBuku_Awal' ];\n if($NilaiBuku_Awal == \"\" || $NilaiBuku_Awal == \"0\") {\n $NilaiBuku_Awal = \"NULL\";\n }\n\n $PenyusutanPerTahun_Awal = $Data[ 'PenyusutanPerTahun_Awal' ];\n if($PenyusutanPerTahun_Awal == \"\" || $PenyusutanPerTahun_Awal == \"0\") {\n $PenyusutanPerTahun_Awal = \"NULL\";\n }\n foreach ($resultqueryKibSelect as $key => $val) {\n $tmpField[] = $key;\n if($val == '') {\n $tmpVal[] = $sign . \"NULL\" . $sign;\n } else {\n $tmpVal[] = $sign . addslashes ($val) . $sign;\n }\n }\n $implodeField = implode (',', $tmpField);\n $implodeVal = implode (',', $tmpVal);\n\n $QueryLog = \"INSERT INTO log_$tableKib ($implodeField,$AddField) VALUES\"\n . \" ($implodeVal,'$action','$changeDate','$TglPerubahan','$Kd_Riwayat','{$resultqueryKibSelect->NilaiPerolehan}',$AkumulasiPenyusutan_Awal,\"\n . \"$NilaiBuku_Awal,$PenyusutanPerTahun_Awal)\";\n $exeQueryLog = $DBVAR->query ($QueryLog) or die($DBVAR->error ());;\n\n\n return $tableLog;\n}", "function update($melding)\n {\n $this->db->where('id', $melding->id);\n $this->db->update('melding', $melding);\n }", "function geefAbsentieSignalering($paramLeerlingID) {\n $eruit = \"\";\n $huidigeDatum = date(\"Y-m-d\");\n $huidigeTijd = date(\"Hi\");\n $conn = connectToDb();\n /* $sql = \"SELECT * , `leerling`.`id` as `leerlingID` FROM `aanwezigheid` JOIN `leerling` on `leerling`.`id` = `aanwezigheid`.`leerling_id` \";\n $sql = $sql . \" JOIN `absentie` on `absentie`.`id` = `aanwezigheid`.`absentiecode`\";\n $sql .= sprintf(\" where `leerling`.`id` ='%s' \", $paramLeerlingID);\n */\n\t\t\t//$sql = \"SELECT * , `leerling`.`id` as `leerlingID` FROM `aanwezigheid` JOIN `leerling` on `leerling`.`id` = `aanwezigheid`.`leerling_id` \";\n\t\t\t//$sql = $sql . \" JOIN `absentie` on `absentie`.`id` = `aanwezigheid`.`absentiecode`\";\n\t\t\t//$sql .= sprintf(\" where `leerling`.`id` ='%s' \", $paramLeerlingID);\n\t\t\t$huidigeDatum = date(\"Y-m-d\");\n\t\t\t$huidigeTijd = date(\"Hi\");\n\t\t\t$conn = connectToDb();\n\t\t\t$sql = \"SELECT `absentie`.`signalering` as `absentieOmschrijving` FROM aanwezigheid JOIN `absentie` on `absentie`.`id` = `aanwezigheid`.`absentiecode`\";\n\t\t\t$sql .=\t \" where `leerling_id` = \".$paramLeerlingID.\" and `datum` = '$huidigeDatum'\" ;\n\n\n // $sql = \"SELECT * FROM aanwezigheid where `leerling_id` = \" . $paramLeerlingID .\n // \" and datum = '$huidigeDatum'\";\n //echo \"<br>\".$sql;\n $result = $conn->query($sql);\n if ($result) {\n $row = mysqli_fetch_array($result);\n if (isset($row['absentieOmschrijving'])) {\n $eruit = $row['absentieOmschrijving'];\n } else {\n //echo \" 59 \";\n $eruit = \"\";\n }\n } else {\n //\t\t\techo \" 63 \";\n\n $eruit = \"\";\n }\n $conn->close();\n return($eruit);\n }", "function insert_musik($data){\n $this->db->insert($this->tabel2, $data);\n return TRUE;\n }", "function listQueryValidasiPengKerja() {\n\t\t\t$sql = \"select r.*,p.nik,\".static::schema.\".f_namalengkap(p.gelardepan,p.namadepan,p.namatengah,p.namabelakang,p.gelarbelakang) as namalengkap\n\t\t\t\t\tfrom \".self::table('pe_pengalamankerja').\" r \n\t\t\t\t\tleft join \".self::table('ms_pegawai').\" p on p.idpegawai=r.idpegawai\n\t\t\t\t\tleft join \".self::table('ms_unit').\" u on u.idunit=p.idunit\n\t\t\t\t\twhere (r.isvalid is null or r.isvalid = 'T')\";\n\t\t\t\n\t\t\treturn $sql;\n\t\t}", "private function get_data_kontrak(){\n $sql = \"SELECT \n a.KD_KON as KD_KON,\n g.KD_ST as KD_ST,\n a.KD_TAGIHAN as KD_TAGIHAN,\n a.NM_TAGIHAN as NM_TAGIHAN,\n a.JADWAL_BAYAR_TAGIHAN as DATE_BAYAR,\n (a.BIAYA_PER_PEG_TAGIHAN*a.JML_PEG_BAYAR_TAGIHAN) as BIAYA,\n c.NM_JUR as NM_JUR,\n e.SINGKAT_UNIV as SINGKAT_UNIV,\n a.STS_TAGIHAN as STS_TAGIHAN,\n DATEDIFF(a.JADWAL_BAYAR_TAGIHAN,DATE(NOW())) as SELISIH,\n f.NM_USER as NM_USER,\n f.KD_USER as KD_USER,\n f.FOTO_USER as FOTO,\n g.THN_MASUK as THN_MASUK,\n 'kontrak' as JENIS\n FROM d_tagihan a\n LEFT JOIN d_kontrak b ON a.KD_KON=b.KD_KON\n LEFT JOIN r_jur c ON b.KD_JUR=c.KD_JUR\n LEFT JOIN r_fakul d ON c.KD_FAKUL=d.KD_FAKUL\n LEFT JOIN r_univ e ON d.KD_UNIV=e.KD_UNIV\n LEFT JOIN d_user f ON e.KD_USER=f.KD_USER\n LEFT JOIN d_srt_tugas g ON c.KD_JUR=g.KD_JUR\n \";\n// echo $sql;\n $d_kontrak = $this->_db->select($sql);\n foreach($d_kontrak as $kontrak){\n $sel_bayar = $kontrak['STS_TAGIHAN']=='selesai';\n if(!$sel_bayar){\n// var_dump($kontrak['DATE_BAYAR']);\n $is_notif = $this->is_write_notif('kontrak', $kontrak['DATE_BAYAR']);\n// var_dump($is_notif);\n if($is_notif){\n $notif = new NotifikasiDao();\n $notif->set_jenis_notif($kontrak['JENIS']);\n $notif->set_jurusan($kontrak['NM_JUR']);\n $notif->set_kode_link('');\n $notif->set_link($kontrak['SELISIH']);\n $pic = array('kode'=>$kontrak['KD_USER'],'nama'=>$kontrak['NM_USER'],'foto'=>$kontrak['FOTO']);\n $notif->set_pic($pic);\n $notif->set_status_notif($kontrak['STS_TAGIHAN']);\n $notif->set_tahun_masuk($kontrak['THN_MASUK']);\n $notif->set_univ($kontrak['SINGKAT_UNIV']);\n $notif->set_jatuh_tempo($kontrak['DATE_BAYAR']);\n $this->_notif_data[] = $notif;\n// echo $kontrak['KD_ST'].\"-\".$bulan.\"-\".$notif->get_jenis_notif().\"-\".$notif->get_jurusan().\"-\".$notif->get_tahun_masuk().\"-\".$notif->get_univ().\"-\".$notif->get_status_notif().\"</br>\";\n }\n }\n }\n }", "function galleryItem_PeriksaJudul( $tbl_gallery, $judul, $judulinggris ){\n\t\t$sql = mysql_query(\"SELECT * FROM $tbl_gallery WHERE judul = '$judul' AND judulinggris = '$judulinggris'\");\n\t\treturn $sql;\t\n\t}", "public function semaknewss() \n {\n\t\t$myTable = 'alamat_newss_2013';\n\t\t$medan = '*';\n\t\t$carian[] = array('fix'=>'like','atau'=>'WHERE','medan'=>'newss','apa'=>null,'akhir'=>null);\n\t\t$jum = pencamSqlLimit(50, 50, 1);\n\t\t$cantumSusun[] = array_merge($jum, array('kumpul'=>null,'susun'=>null) );\n\t\t# sql guna limit \n\t\t$this->papar->cariNama[$myTable] = $this->tanya->\n\t\t\t//cariSql($myTable, $medan, $carian, $cantumSusun);\n\t\t\tcariSemuaData($myTable, $medan, $carian, $cantumSusun);\n\n\t\t# paparan\n\t\t$this->_t = 'tahun_';\n\t\t$this->papar->carian='newss'; # set pembolehubah untuk LIHAT => $this->carian\n\t\t$this->papar->apa = 'kosong' ; # set pembolehubah untuk LIHAT => $this->apa\n\t\t$this->papar->baca('ckawalan/' . $this->_t . 'cari');\n\t}", "function pasien_masuk($no_mr,$no_registrasi,$kode_bagian,$tgl_masuk=\"\")\r\n{\r\n\r\n\t\tglobal $db;\r\n\r\n\r\n\t\t$cek_dulu=\"select no_kunjungan from mt_kunjungan where no_mr='$no_mr' and kode_bagian_masuk='$kode_bagian' and status<>1\";\r\n\t\t$hasil_cek=&$db->Execute($cek_dulu);\r\n\t\t$no_kunjungan = $sql->fields[\"no_kunjungan\"];\r\n\r\n\t\tif($no_kunjungan==\"\"):\r\n\r\n\t\t// masukkan ke tabel\r\n\t\t$sql_max=\"select max(no_kunjungan) as no_kunjungannya from mt_kunjungan\";\r\n\t\t$hasil_max=&$db->Execute($sql_max);\r\n\r\n\t\t$no_kunjungan=$sql->fields[\"no_kunjungan\"]+1;\r\n\r\n\t\tif($tgl_masuk==\"\"):\r\n\t\t$tgl_masuk=date(\"Y-m-d H:i:s\");\r\n\t\tendif;\r\n\r\n\t\t$sql_insert=\"INSERT INTO mt_kunjungan (no_kunjungan,no_mr,tgl_masuk,kode_bagian_masuk) values($no_kunjungan,'$no_mr','$tgl_masuk','$kode_bagian')\";\r\n\t\t$eksekusi=&$db->Execute($sql_insert);\r\n\t\t\r\n\t\tendif;\r\n\r\n\t\t// update di tabel registrasi :\r\n\r\n\t\t$sql_update=\"UPDATE mt_registrasi SET no_kunjungan=$no_kunjungan WHERE no_registrasi=$no_registrasi\";\r\n\t\t$eksekusi_2=&$db->Execute($sql_update) or die ($sql_update);\r\n\r\n\t\t// insert ditabel kunjungan detail\r\n\r\n\t\t$sql_insert2=\"INSERT INTO mt_kunjungan_detail (no_kunjungan,no_registrasi,kode_bagian,tgl) values($no_kunjungan,$no_registrasi,'$kode_bagian','$tgl_masuk')\";\r\n\r\n\t\t$eksekusi_3=&$db->Execute($sql_insert2);\r\n\r\n\t\t// jika pasien baru masukkan ke trans_cetak_kartu\r\n\t\t$cek_kartu_sql=\"select stat_pasien from mt_registrasi where no_registrasi=$no_registrasi\";\r\n\t\t$cek_kartu_do=&$db->Execute($cek_kartu_sql);\r\n\t\t$cek_kartu=$sql->fields[\"stat_pasien\"];\r\n\r\n\t\t//$cek_kartu=baca_tabel(\"registrasi\",\"stat_pasien\",\"where no_registrasi=$no_registrasi\");\r\n\r\n\t\tif($cek_kartu==\"Baru\"){\r\n\t\t\t//$nama_pasien=baca_tabel(\"master_pasien\",\"nama_pasien\",\"where no_mr='$no_mr'\");\r\n\t\t\t\r\n\r\n\t\t\t$sql_insert_kartu=\"INSERT INTO trans_kartu (no_registrasi,no_mr,nama_pasien,tgl_transaksi,jumlah_transaksi) values($no_registrasi,'$no_mr','$nama_pasien','$tgl_transaksi',$jumlah_transaksi)\";\r\n\t\t\t&$db->Execute($sql_insert_kartu);\r\n\t\t}\r\n\r\n\r\n\t\treturn $no_kunjungan;\r\n}", "public function insertDetailPemeriksaan($data)\n\t{\n\t\t$this->db->insert('detail_pemeriksaan', $data);\n\t}", "public function add_oneJawaban($pil_E)\n {\n $this->db->insert('tb_piljawaban',$pil_E);\n // var_dump($data['dataJawaban']);\n }", "function sudah_ngerjakan($tugas_id, $siswa_id)\n{\n $sudah = false;\n\n # cek history, kalo sudah ada berarti sudah mengerjakan\n $check_history = retrieve_field('history-mengerjakan-' . $siswa_id . '-' . $tugas_id);\n if (!empty($check_history)) {\n # hapus field mengerjakan supaya lebih memastikan\n $mengerjakan_field_id = 'mengerjakan-' . $siswa_id . '-' . $tugas_id;\n delete_field($mengerjakan_field_id);\n\n $sudah = true;\n }\n\n return $sudah;\n}", "function getMapells()\r\n\t{\r\n\t\t$sql = \"SELECT * FROM guru_mapel_kelas a,guru_mapel b,mapel c,kelas d WHERE a.id_guru_mapel=b.id_guru_mapel AND b.id_mapel=c.id_mapel AND a.id_kelas=d.id_kelas AND b.nip='\".$this->session->userdata('nip').\"'\";\r\n\t\t$query = $this->db->query($sql);\r\n\r\n\t\tif ($query->num_rows()> 0)\r\n\t\t{\r\n\t\t\t$data[0] = \"Pilih Nama Pelajaran\";\r\n\t\t\tforeach ($query->result_array() as $row)\r\n\t\t\t{\r\n\t\t\t\t\r\n\t\t\t\t$data[$row['id_mapel_kelas']] = $row['mapel'].\" Kelas \".$row['tingkat'].\" \".$this->arey->getPenjurusan($row['kode']).\" \".$row['nama'];\r\n\t\t\t}\r\n\t\t}\r\n\t\telse\r\n\t\t{\r\n\t\t\t$data[''] = \"Tidak Ada Mapel\";\r\n\t\t}\r\n\t\treturn $data;\r\n\t}", "public function update_parameter_metoda()\n {\n $input = $this->input->post();\n $analisis_parameter = (array) $this->analisis_m->find_parameter($input['id']);\n $analisis_parameter['id_metoda'] = $this->input->post('id_metoda');\n $metoda = $this->metoda_m->find($this->input->post('id_metoda'));\n\n $this->analisis_m->update_parameter($analisis_parameter);\n\n echo !$metoda ? 0 : $metoda->nama;\n }", "function set_detail_pembelian(){\n\t\t$data=array();$rcord=0;$tot_bel=0;$find_batch='';\n\t\t$id_beli=rdb('inv_pembelian','ID','ID',\"where NoUrut='\".$_POST['no_trans'].\"' and Tanggal='\".tgltoSql($_POST['tanggal']).\"'\");\n\t\t$id_barang=rdb('inv_barang','ID','ID',\"where Nama_Barang='\".addslashes($_POST['nm_barang']).\"'\");\n\t\t$find_batch=rdb('inv_material_stok','batch','batch',\"where id_barang='\".$id_barang.\"' and harga_beli='\".$_POST['harga_beli'].\"'\");\n\t\t$tot_bel=rdb('inv_pembelian','ID_Bayar','ID_Bayar',\"where NoUrut='\".$_POST['no_trans'].\"' and Tanggal='\".tgltoSql($_POST['tanggal']).\"'\");\n\t\t$id_anggota=rdb('inv_pembelian','ID_Pemasok','ID_Pemasok',\"where NoUrut='\".$_POST['no_trans'].\"' and Tanggal='\".tgltoSql($_POST['tanggal']).\"'\");\n\t\t$data['tanggal']\t=tgltoSql($_POST['tanggal']);\n\t\t$data['id_beli']\t=$id_beli;\n\t\t$data['id_barang']\t=$_POST['kode'];//rdb('inv_barang','ID','ID',\"where Nama_Barang='\".addslashes($_POST['nm_barang']).\"'\");\n\t\t$data['jml_faktur']\t=$_POST['jumlah'];\n\t\t$data['Jumlah']\t\t=$_POST['jumlah'];\n\t\t$data['Harga_Beli']\t=$_POST['harga_beli'];\n\t\t$data['ID_Satuan']\t=$_POST['id_satuan'];\n\t\t$data['batch']\t\t=($find_batch=='' || $find_batch==NULL)?date('ymdz').'-'.date('i'):$find_batch;\n\t\t$data['Keterangan']\t=$_POST['keterangan'];\n\t\t$data['Bulan']\t\t=substr($_POST['tanggal'],3,2);\t\n\t\t$data['Tahun']\t\t=substr($_POST['tanggal'],6,4);\t\n $data['lokasi'] =@$_POST['lokasi'];\n\t\t$this->Admin_model->replace_data('inv_pembelian_detail',$data);\n\t\t$this->Admin_model->upd_data('inv_pembelian',\"set ID_Bayar='\".($tot_bel+$_POST['keterangan']).\"',JatuhTempo='\".@$_POST['jtempo'].\"'\",\n\t\t\t\t\t\t\t\t\t \"where NoUrut='\".$_POST['no_trans'].\"' and Tanggal='\".tgltoSql($_POST['tanggal']).\"'\");\n\t\techo rdb('inv_pembelian_detail','ID','ID',\"order by ID desc limit 1\");\n\t\t//process to jurnal temp\n\t\t/*$ID_Jenis=empty($_POST['id_jenis'])?'1':$_POST['id_jenis'];\n\t\t$TotalHg=$_POST['harga_beli'];\n\t\t$this->no_transaksi($_POST['no_trans']);\n\t\t$this->tanggal(($_POST['tanggal']));\n\t\t$this->JenisBayar('6');\n\t\tif($TotalHg!='0'){\n\t\t\tif(($ID_Jenis!='4' || $ID_Jenis!='5') && $id_anggota!=''){\n\t\t\t\t$this->process_to_jurnal($id_anggota,$TotalHg);\n\t\t\t}else if($ID_Jenis=='6' && $id_anggota!=''){\n\t\t\t\t$ket='';\t\n\t\t\t\t$this->process_to_jurnal($id_anggota,$TotalHg,$ket);\n\t\t\t}\n\t\t}*/\n\t}", "function tampil_pengajuan(){\r\n return $this->db->query(\"SELECT *, DATE_FORMAT(tanggal, '%d/%m/%Y') AS pelaksanaan, DATE_FORMAT(tanggal_selesai, '%d/%m/%Y') AS selesai, DATE_FORMAT(tgl_upload, '%d/%m/%Y %T') AS tanggal_upload FROM pengajuan WHERE pengajuan.id_kabkota='\".$_SESSION['id_kabkota'].\"'\");\r\n }", "function feilDato() { //sjekk at dato er korrekt \n $fraAar = $_POST['fAar'];\n $fraMnd = $_POST['fMnd'];\n $fraDag = $_POST['fDag'];\n $tilAar = $_POST['tAar'];\n $tilMnd = $_POST['tMnd'];\n $tilDag = $_POST['tDag']; \n \n if ($fraDag == $tilDag && $fraMnd == $tilMnd && $fraAar == $tilAar) { //er fra/til dato samme dag?\n return \"<font color='red'>Fra og til dato kan ikke være like.</font>\";\n } else if ($fraDag > $tilDag && $fraMnd == $tilMnd && $fraAar == $tilAar) { \n //er startdato større enn sluttdato(hvis varighet er innenfor samme mnd og år) \n return \"<font color='red'>Fra dato kan ikke være etter til dato (når det er samme mnd og år).</font>\";\n } else if ($fraMnd > $tilMnd && $fraAar == $tilAar) {\n return\"<font color='red'>Fra måned kan ikke være etter til måned (innen for samme år).</font>\";\n } else if ($fraAar > $tilAar) { //er fra-År større enn til-År?\n return \"<font color='red'>Fra år kan ikke være etter til året.</font>\";\n } //if ($fraDag == $tilDag)\n return null; //alt ok \n }", "public function dah($item = 30, $ms = 1, $fe = null, $bulan = null) \n {\n\n // setkan pembolehubah untuk $this->tanya\n\t\t\t$medanRangka = $this->medanRangka;\n\t\t\t$medanData = $this->medanData;\n\t\t\t$sv = $this->sv;\n // mula papar semua dalam $myTable\n $bulanan = bulanan('kawalan','14'); # papar bulan dlm tahun semasa\n # semak pembolehubah $bulanan\n //echo '<pre>', print_r($bulanan, 1) . '</pre><br>';\n foreach ($bulanan as $key => $myTable)\n {// mula ulang table\n\t\t\t// setkan $medan\n\t\t\t$medan = ($myTable=='rangka13') ? $medanRangka : $medanData;\n // dapatkan bilangan jumlah rekod\n $bilSemua = $this->tanya->kiraKes($sv, $myTable, $medan, $fe);\n // tentukan bilangan mukasurat \n // bilangan jumlah rekod\n\t\t\t//echo '$bilSemua:'.$bilSemua.', $item:'.$item.', $ms:'.$ms.'<br>';\n $jum = pencamSqlLimit($bilSemua, $item, $ms);\n $this->papar->bilSemua[$myTable] = $bilSemua;\n // sql guna limit\n $this->papar->cariApa[$myTable] = $this->tanya->\n kesSelesai($sv, $myTable, $medan, $fe, $jum);\n // halaman\n $this->papar->halaman[$myTable] = halaman($jum);\n }// tamat ulang table\n \n # semak pembolehubah $this->papar->cariApa\n //echo '<pre>', print_r($this->papar->cariApa, 1) . '</pre><br>';\n\n // Set pemboleubah utama\n $this->papar->pegawai = senarai_kakitangan();\n $this->papar->carian = 'siap';\n $this->papar->url = dpt_url();\n // pergi papar kandungan\n $this->papar->baca('kawalan/index', 0);\n }", "public function getDaftarSpekunBelumKembali()\n\t\t{\n\t\t\t$query = \"SELECT * FROM PEMINJAMAN WHERE Status IS NULL\";\n\t\t\t//$this->db->where('Status', NULL);\t\t\t\n\t\t\t//return $this->db->get($this->table);\t\n\t\t\treturn $this->db->query($query);\t\n\t\t}", "public function getMapelGuru($nipGuru, $namaGuru, $mapelDiampu, $ketRelevan) //dari controller\r\n {\r\n $pecah= explode(\",\", $namaGuru);\r\n \r\n $nama= $pecah[0];\r\n $gelar = $pecah[1];\r\n\r\n $pecahmp = explode(\",\",$mapelDiampu);\r\n $hitung = count($pecahmp);\r\n\r\n for($i=0;$i<=$hitung-1;$i++)\r\n {\r\n //insert\r\n $dim_guru = array('nip_guru'=> $nipGuru, 'nama_guru'=> $nama, 'gelar_pendidikan' => $gelar, 'mapel_diampu'=> $pecahmp[$i], 'relevan'=> $ketRelevan); \r\n $this->db->replace('dim_guru', $dim_guru); \r\n } \r\n }", "public function insertData(){\n $jenis_jasa_desain = $_POST['jenis_jasa_desain'];\n $tipe_desain = $_POST['tipe_desain'];\n $hasil = $this->db->query(\"INSERT INTO jasa_desain SET jenis_jasa_desain = ?, tipe_desain=?\", array($jenis_jasa_desain, $tipe_desain));\n return $hasil;\n }", "function get_pertanyaansisa_nb($id_kucing){\n\t\t\t$query = $this->db->query(\"SELECT gejala.id_gejala_umum, gejala.id_gejala, gejala.daftar_pertanyaan from gejala LEFT JOIN perhitungan_sementara ON gejala.id_gejala = perhitungan_sementara.id_gejala AND id_kucing = '$id_kucing' WHERE perhitungan_sementara.id_gejala IS NULL LIMIT 1\");\n\t\t\t\n\t\t\treturn $query;\n\t\t}", "public function simpan_data()\n\t{\n\t\t$post = $this->input->post();\n\t\t$this->tanggal = $post['tanggal'];\n\t\t$this->barang = $post['barang'];\n\t\t$this->kuantitas = $post['kuantitas'];\n\t\t$this->harga_barang = $post['harga_barang'];\n\n\t\t$this->db->insert($this->penjualan, $this);\n\t}", "function asignacion_alumno_padre($padre,$alumno){\n\t\t///--\n\t\t$fec = date(\"Y-m-d H:i:s\");\n\t\t$sql = \"INSERT INTO inscripcion_padre_alumno\";\n\t\t$sql.= \" VALUES ('$padre','$alumno','$fec') \";\n\t\t$sql.= \" ON DUPLICATE KEY UPDATE pa_fec_registro = '$fec'; \";\n\t\t//echo $sql;\n\t\treturn $sql;\n\t}", "private function duplicate_mapel()\n {\n // UNLESS it's the email for the current user\n \n $id = $this->input->post('kompetensi_id');\n $this->db->where('kompetensi_semesterfilter', $this->input->post('kompetensi_semesterfilter'));\n $this->db->where('kompetensi_mapel', $this->input->post('kompetensi_mapel'));\n !$id || $this->db->where('kompetensi_id !=', $id);\n //$this->db->where('kompetensi_tahunajaran =', $this->konfigurasi_m->konfig_tahun());\n $this->db->where('kompetensi_semester =', $this->konfigurasi_m->konfig_semester());\n $duplicate_mapel = $this->kompetensi_m->get();\n \n return $duplicate_mapel;\n }", "public function chk_dat()\n {\n echo \"title = \" . $this->dat[\"title\"] . \"\\n\\n\";\n echo \"name = \" . $this->dat[\"name\"] . \"\\n\\n\";\n echo \"era = \" . $this->dat[\"era\"] . \"\\n\\n\";\n echo \"rows = \" . $this->dat[\"rows\"] . \"\\n\\n\";\n\n echo $this->dat[\"field\"][\"n\"] . \", \" .\n $this->dat[\"field\"][\"m\"] . \", \" .\n $this->dat[\"field\"][\"mmdd\"] . \", \" .\n $this->dat[\"field\"][\"memo\"] . \", \" .\n $this->dat[\"field\"][\"item\"] . \", \" .\n $this->dat[\"field\"][\"other\"] . \", \" . \n $this->dat[\"field\"][\"amount0\"] . \", \" .\n $this->dat[\"field\"][\"amount1\"] . \", \" .\n $this->dat[\"field\"][\"remain\"] . \", \" .\n $this->dat[\"field\"][\"name\"] . \"\\n\\n\";\n\n $cnt = $this->dat[\"rows\"];\n for ($i = 0; $i < $cnt; $i++) {\n echo $this->dat[\"data\"][$i][\"n\"] . \", \" .\n $this->dat[\"data\"][$i][\"m\"] . \", \" .\n $this->dat[\"data\"][$i][\"mmdd\"] . \", \" .\n $this->dat[\"data\"][$i][\"memo\"] . \", \" .\n $this->dat[\"data\"][$i][\"item\"] . \", \" .\n $this->dat[\"data\"][$i][\"other\"] . \", \" .\n $this->dat[\"data\"][$i][\"amount0\"] . \", \" .\n $this->dat[\"data\"][$i][\"amount1\"] . \", \" .\n $this->dat[\"data\"][$i][\"remain\"] . \", \" .\n $this->dat[\"data\"][$i][\"name\"] . \"\\n\\n\";\n }\n }", "public function tambahjadwal($data){\n $query = \"INSERT INTO jadwal_kuliah2 VALUES ('',:mataKuliah , :dosen, :ruangan, :hari, :tanggalWaktu, :idTelegram)\";\n $this->db->query($query);\n $this->db->bind('mataKuliah', $data['mataKuliah']);\n $this->db->bind('dosen', $data['dosen']);\n $this->db->bind('ruangan', $data['ruangan']);\n $this->db->bind('hari', $data['hari']);\n $this->db->bind('tanggalWaktu', $data['tanggalWaktu']);\n $this->db->bind('idTelegram', $data['idTelegram']);\n $this->db->execute();\n return $this->db->rowCount();\n\n }" ]
[ "0.58783966", "0.55634797", "0.550158", "0.55013186", "0.54866093", "0.5462957", "0.5455046", "0.5434911", "0.5398567", "0.5387382", "0.53485656", "0.5336795", "0.5334381", "0.5292587", "0.5284414", "0.52757275", "0.52412385", "0.5215815", "0.5214659", "0.519514", "0.5192499", "0.51856", "0.51545244", "0.5137527", "0.5134047", "0.5119898", "0.511691", "0.5104014", "0.51035917", "0.50993705" ]
0.58399975
1
Public methods Get Message For Terminal
public function getMessageForTerminal():void { # New climate $climate = new CLImate(); # Message $climate ->br() ->out("〜 Code Error : ".$this->getCode()) ->out("〜 ".$this->getMessage()) ->br(); ; # Check code is in CODE_TO_MESSAGE if(array_key_exists($this->getCode(), self::CODE_TO_MESSAGE)){ # Message $climate ->green("🟢 ".self::CODE_TO_MESSAGE[$this->getCode()]["message"]) ; # Check if exit if(self::CODE_TO_MESSAGE[$this->getCode()]["exit"] ?? false) # Exit script exit(); } }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function getMsg()\n {\n return $this->get(self::MSG);\n }", "public function message()\n {\n return $this->messageText;\n }", "public function getMessage();", "public function getMessage();", "public function getMessage();", "public function getMessage();", "public function getMessage();", "public function getMessage();", "public function getMessage();", "public function getMessage();", "public function getMessage();", "public function getMessage();", "public function getMessage();", "public function getMessage();", "public function getMessage();", "final public function getMessage();", "public function getMsg ()\n {\n return $this->msg;\n }", "public function getMsg(): string\n {\n return $this->msg;\n }", "public function getMsg(){\n\t\treturn $this->message;\n\t}", "public function getMessage() : string\n {\n return $this->textMessage;\n }", "private function getCommand() {\n return substr($this->input['message']['text'], $this->input['message']['entities'][0]['offset'], $this->input['message']['entities'][0]['length']);\n }", "public function message()\n\t{\n\t\treturn $this->msg;\n\t}", "public function getOut(): Message;", "public function message()\n {\n return $this->msg;\n }", "public function getMessage()\n {\n $this->waitForElementVisible($this->message);\n\n return $this->_rootElement->find($this->message)->getText();\n }", "public function getMsg()\n {\n return $this->msg;\n }", "function getMessage() {\n return $this->getBody();\n }", "public function getMessage(){\r\n\t\t\treturn $this->message;\r\n\t\t}", "public function getMessage(){\n\t\treturn $this->message; \n\t}", "protected abstract function getMessage();" ]
[ "0.68785554", "0.6593347", "0.6578768", "0.6578768", "0.6578768", "0.6578768", "0.6578768", "0.6578768", "0.6578768", "0.6578768", "0.6578768", "0.6578768", "0.6578768", "0.6578768", "0.6578768", "0.65464526", "0.6542057", "0.6534739", "0.6532166", "0.65184253", "0.64740306", "0.6455541", "0.64219123", "0.6416211", "0.6411722", "0.64078945", "0.63815206", "0.6377715", "0.6369521", "0.6369113" ]
0.70834076
0
Save App Notification Sent Activity
public function saveNotificationActivity($appId) { $activityData['app_id'] = $appId; $activityData['main_dashboard'] = 0; $activityData['app_dashboard'] = 1; $activityData['activity'] = "You have sent a push notification"; $activityData['activity_type'] = 2; TpLogActivity:: create($activityData); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function save_notification( $notification ) {\n\t\tbuddypress()->activity->notifications->activity_args = array(\n\t\t\t// the notification to add\n\t\t\t// eg. John Doe mentioned you in an update\n\t\t\t'action' => $this->get_action( $notification ),\n\n\t\t\t'component' => 'notifications',\n\n\t\t\t// use the notification action as the activity type\n\t\t\t'type' => $notification->component_action,\n\n\t\t\t// the person adding the notification\n\t\t\t'user_id' => $this->get_user_id( $notification ),\n\n\t\t\t// the person receiving the notification\n\t\t\t'item_id' => $notification->user_id,\n\n\t\t\t// this is used as a replacement for \"is_new\" from the notifications table\n\t\t\t// when the notification is read we'll update this to 0\n\t\t\t// @todo frontend \"Mark as read\" button\n\t\t\t'secondary_item_id' => 1,\n\n\t\t\t// set the primary link\n\t\t\t'primary_link' => $this->get_primary_link( $notification ),\n\n\t\t\t// hide this from the sitewide activity stream\n\t\t\t'hide_sitewide' => true\n\t\t);\n\n\t\tbuddypress()->activity->notifications->activity_id = bp_activity_add( buddypress()->activity->notifications->activity_args );\n\n\t\t// @todo move notification's 'secondary_item_id' into activity meta\n\t}", "public function save_message_data( $message ) {\n\t\tbuddypress()->activity->notifications->user_id = $message->user_id;\n\t\tbuddypress()->activity->notifications->thread_id = $message->thread_id;\n\t}", "protected function activity($activity) {\n static $activityModel = null;\n if (is_null($activityModel)) {\n $activityModel = new ActivityModel();\n }\n\n $activity = array_merge(array(\n 'ActivityType' => 'HotPotato',\n 'Force' => true,\n 'Notified' => ActivityModel::SENT_PENDING\n ), $activity);\n $activityModel->save($activity);\n }", "public function applicationSent(){\n\n $authUser = Auth::user();\n $user = User::find(1);\n \n $notification = new ApplicationSent($authUser);\n $user->notify(new ApplicationSent($authUser));\n\n return $notification->toMail('[email protected]');\n\n }", "public function save() {\n $this->manifest->save();\n }", "protected function saved()\r\n\t{\r\n\t\tif ($this->getValue(\"user_id\") != $this->user->id)\r\n\t\t{\r\n\t\t\tif ($this->fieldValueChanged(\"user_id\"))\r\n\t\t\t{\r\n\t\t\t\t$desc = $this->user->getValue(\"full_name\") . \" assigned you a task called \" . $this->getName();\r\n\t\t\t\t$name = \"Task Assigned\";\r\n\t\t\t}\r\n\t\t\telse\r\n\t\t\t{\r\n\t\t\t\t$name = \"Task Updated\";\r\n\t\t\t\t$desc = $this->user->getValue(\"full_name\") . \" updated a task you are assinged to: \" . $this->getName();\r\n\t\t\t}\r\n\r\n\t\t\t// Add notification for user\r\n\t\t\t/*\r\n\t\t\t$notification = CAntObject::factory($this->dbh, \"notification\", null, $this->user);\r\n\t\t\t$notification->setValue(\"name\", $name);\r\n\t\t\t$notification->setValue(\"description\", $desc);\r\n\t\t\t$notification->setValue(\"obj_reference\", \"task:\".$this->id);\r\n\t\t\t$notification->setValue(\"f_popup\", 'f');\r\n\t\t\t$notification->setValue(\"f_seen\", 'f');\r\n\t\t\t$notification->setValue(\"owner_id\", $this->getValue(\"user_id\"));\r\n\t\t\t$nid = $notification->save();\r\n\t\t\t*/\r\n\t\t}\r\n\t}", "public function save_notification($id){\n\t\t$notify = array('I', 'N','V', 'G', 'D', 'L','R'); \n\t\t$this->loadModel('Notification');\n\t\tforeach($notify as $not){\n\t\t\t$data = array('notify' => $not, 'created_date' => $this->Functions->get_current_date(),\n\t\t\t'app_users_id' => $id);\t\n\t\t\t$this->Notification->create();\n\t\t\t// save the todo\n\t\t\t$this->Notification->save($data, true, $fieldList = array('notify', 'created_date','app_users_id'));\n\t\t}\n\t}", "public function recordActivity($event) // function to store the activity \n {\n\n \tif(auth()->guest())\n\n \t\treturn;\n\n \t// store the activity\n\n $this->activites()->create([\n\n \t'user_id' => auth()->id(),\n\n \t'type' => $this->getActivtyType($event)\n\n ]);\n\n }", "public function save()\n {\n //todo save comments\n $this->notify();\n }", "public function store_messages ()\n {\n $this->notifications->store();\n }", "public function save()\n {\n self::setClassAndTable();\n $now = new DateTime();\n $this->timestamp = $now->getTimestamp();\n parent::saveModel();\n\n // Send notification to user\n $notification = new Notification();\n $notification->user_id_to = Post::find([\"id\" => $this->post_id])->user()->id;\n $notification->user_id_from = $this->user_id;\n $notification->type = Notification::COMMENT_TO_USER_POST;\n $notification->link = \"/posts/view.php?post_id=$this->post_id\";\n // Only save is the commenter is not the same\n if ($notification->user_id_from != $notification->user_id_to) {\n $notification->save();\n }\n }", "public function save(Activity $activity) {\n $this->em->merge($activity);\n $this->em->flush();\n }", "private function save(array $data)\n {\n $this->updateSlotPeriod($data);\n\n // create and save activity to DB\n return Activity::create([\n 'activity_name' => $data['activity_name'],\n 'num_of_slots' => $data['num_of_slots'],\n 'business_id' => $data['business_id']\n ]);\n }", "function form_activity_auto_save($organisation_id, $period_id, $data) {\n\t\t$form_activity = $this->form_activity_get_data($organisation_id, $period_id);\n\n\t\t// // Update activity\n\t\t $form_activity['auto_save'] = $data;\n\t\t// // Save the activity\n\t\t$this->form_activity_save_data(array($period_id => $form_activity), $organisation_id);\n\n\t}", "public function save($delivery_method,$order_status,$message,$auto)\n\t{\n\t\tInotification::create([\n \t\t\t\t\t'delivery_method'=>$delivery_method,\n\t\t\t\t\t\t\t\t'order_status'=>$order_status,\n\t\t\t\t\t 'message'=>$message,\n\t\t\t\t\t 'auto'=>$auto\n\t\t\t\t\t ]);\n\t}", "function publish_notification($activity_id)\n{\n\t$subscriber_ids = get_subscribers($activity_id);\n\t\n\tforeach($subscriber_ids AS $subscriber_id)\n\t{\n\t\tItemModel::add_item(array(\n\t\t\t'category' => 'user-notifications',\n\t\t\t'subscriber_id' => $subscriber_id,\n\t\t\t'activity_id' => $activity_id,\n\t\t\t'status' => 'not-seen'\n\t\t));\n\t}\n}", "function add_notification( $new_activity_id, $shared_activity_id ) {\n\n\t\t// Get Activity.\n\t\t$activity = new BP_Activity_Activity( $shared_activity_id );\n\n\t\t// Bail if the post owner shared their own post.\n\t\tif ( bp_loggedin_user_id() == $activity->user_id ) {\n\t\t\treturn;\n\t\t}\n\n\t bp_notifications_add_notification(\n\t \tarray(\n\t\t 'user_id' => $activity->user_id,\n\t\t 'item_id' => $new_activity_id,\n\t\t 'secondary_item_id' => bp_loggedin_user_id(),\n\t\t 'component_name' => 'youzer',\n\t\t 'component_action' => 'yz_new_share',\n\t\t 'date_notified' => bp_core_current_time(),\n\t\t 'is_new' => 1\n\t \t)\n\t );\n\n\t}", "public function onSave(Event $event)\n\t{\n\t\t$this->raiseEvent('onSave', $event);\n\n\t\t$settings = craft()->plugins->getPlugin('applications')->getSettings();\n\n\t\tif (!empty($settings->notificationEmail)) {\n\t\t\t$email = new EmailModel();\n\t\t\t$email->toEmail = $settings->notificationEmail;\n\t\t\t$email->subject = $settings->notificationSubject;\n\t\t\t$email->body = $settings->notificationMessage;\n\n\t\t\tcraft()->email->sendEmail($email);\n\t\t}\n\t}", "public function store($data)\n {\n Notification::Create($data);\n }", "public function save() {\n $this->notify('database.save');\n }", "public function save($notification) {\n $stmt = $this->db->prepare(\"INSERT INTO notification (id, id_user, date,\n title, content) values (0,?,?,?,?)\");\n $stmt->execute(array($notification->getUser_author()->getId(),\n $notification->getDate(), $notification->getTitle(),$notification->getContent()));\n }", "public function save($activity) {\n $stmt = $this->db->prepare(\"INSERT INTO activity (id, id_user, name, description, type, place,\n seats, image) values (0,?,?,?,?,?,?,?)\");\n $stmt->execute(array($activity->getIduser(),$activity->getName(),$activity->getDescription(),\n $activity->getType(),$activity->getPlace(),$activity->getSeats(),$activity->getImage()));\n }", "public function onCreate()\n {\n Activity::insert(array(\n 'actor_id' => Auth::user()->id,\n 'trackable_type' => get_class($this),\n 'action' => \"created\",\n 'details' => $this->toJson(),\n 'trackable_id' => $this->id,\n 'created_at' => new DateTime(),\n 'updated_at' => new DateTime()\n ));\n }", "public function save()\n {\n parent::save();\n\n $this->_storeage->saveMessage($this);\n\n $this->_storeage->saveAttachments($this);\n\n $this->_storeage->saveMail($this);\n }", "public function send(IEvent $event): int {\n\t\tif ($event->getAffectedUser() === '' || $event->getAffectedUser() === null) {\n\t\t\treturn 0;\n\t\t}\n\n\t\t// store in DB\n\t\t$queryBuilder = $this->connection->getQueryBuilder();\n\t\t$queryBuilder->insert('activity')\n\t\t\t->values([\n\t\t\t\t'app' => $queryBuilder->createParameter('app'),\n\t\t\t\t'subject' => $queryBuilder->createParameter('subject'),\n\t\t\t\t'subjectparams' => $queryBuilder->createParameter('subjectparams'),\n\t\t\t\t'message' => $queryBuilder->createParameter('message'),\n\t\t\t\t'messageparams' => $queryBuilder->createParameter('messageparams'),\n\t\t\t\t'file' => $queryBuilder->createParameter('object_name'),\n\t\t\t\t'link' => $queryBuilder->createParameter('link'),\n\t\t\t\t'user' => $queryBuilder->createParameter('user'),\n\t\t\t\t'affecteduser' => $queryBuilder->createParameter('affecteduser'),\n\t\t\t\t'timestamp' => $queryBuilder->createParameter('timestamp'),\n\t\t\t\t'priority' => $queryBuilder->createParameter('priority'),\n\t\t\t\t'type' => $queryBuilder->createParameter('type'),\n\t\t\t\t'object_type' => $queryBuilder->createParameter('object_type'),\n\t\t\t\t'object_id' => $queryBuilder->createParameter('object_id'),\n\t\t\t])\n\t\t\t->setParameters([\n\t\t\t\t'app' => $event->getApp(),\n\t\t\t\t'type' => $event->getType(),\n\t\t\t\t'affecteduser' => $event->getAffectedUser(),\n\t\t\t\t'user' => $event->getAuthor(),\n\t\t\t\t'timestamp' => (int)$event->getTimestamp(),\n\t\t\t\t'subject' => $event->getSubject(),\n\t\t\t\t'subjectparams' => json_encode($event->getSubjectParameters()),\n\t\t\t\t'message' => $event->getMessage(),\n\t\t\t\t'messageparams' => json_encode($event->getMessageParameters()),\n\t\t\t\t'priority' => IExtension::PRIORITY_MEDIUM,\n\t\t\t\t'object_type' => $event->getObjectType(),\n\t\t\t\t'object_id' => (int)$event->getObjectId(),\n\t\t\t\t'object_name' => $event->getObjectName(),\n\t\t\t\t'link' => $event->getLink(),\n\t\t\t])\n\t\t\t->execute();\n\n\t\treturn $queryBuilder->getLastInsertId();\n\t}", "private function saveNotification($users,$flag,$fuser) {\n return $this->logToDb($users, $fuser, $flag);\n //file_put_contents(\"newfile.txt\", $a);\n //return true;\n }", "function apns($deviceToken, $message, $extra, $fp){\n $body['aps'] = array(\n 'alert' => $message,\n 'sound' => 'default'\n );\n\n\t$body['extra'] = $extra;\n\n\n // Encode the payload as JSON\n $payload = json_encode($body);\n\techo $payload;\n\n // Build the binary notification\n $msg = chr(0) . pack('n', 32) . pack('H*', $deviceToken) . pack('n', strlen($payload)) . $payload;\n\n // Send it to the server\n $result = fwrite($fp, $msg, strlen($msg));\n\n if (!$result){\n echo 'Message not delivered' . PHP_EOL;\n }else{\n echo 'Message successfully delivered' . PHP_EOL;\n }\n \n }", "public function saved() {}", "function create_notification($message)\r\n{\r\n\t$_SESSION['notification'][] = $message;\r\n}", "function save()\n\t{\n\t\tJRequest::checkToken() or jexit(JText::_('JINVALID_TOKEN'));\n\n\t\t$post\t= JRequest::get('post');\n\t\t$cid\t= JRequest::getVar('cid', array(0), 'post', 'array');\n\t\t$post['id'] = (int) $cid[0];\n\n\t\t$model = $this->getModel('newsfeed');\n\n\t\tif ($model->store($post)) {\n\t\t\t$msg = JText::_('Newsfeed Saved');\n\t\t} else {\n\t\t\t$msg = JText::_('Error Saving Newsfeed');\n\t\t}\n\n\t\t// Check the table in so it can be edited.... we are done with it anyway\n\t\t$model->checkin();\n\t\t$link = 'index.php?option=com_newsfeeds';\n\t\t$this->setRedirect($link, $msg);\n\t}" ]
[ "0.65389156", "0.5774483", "0.57369477", "0.5591189", "0.5562442", "0.55496395", "0.55395645", "0.5510275", "0.54721045", "0.5437518", "0.5437258", "0.5395044", "0.53708243", "0.53298026", "0.5306783", "0.53006476", "0.52925533", "0.52602655", "0.5200904", "0.51942897", "0.51717", "0.51506007", "0.5119165", "0.5117246", "0.51117826", "0.5109691", "0.51069564", "0.5096205", "0.5092635", "0.50826734" ]
0.73916453
0
Find data by a field being null
public function findWhereNull($field, $columns = ['*']);
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function whereNull($field);", "public function includeNull();", "public function whereIsNull(string $field): self \n {\n return $this->whereNull($field);\n }", "public function not_null($data) {\n if ($data === null)\n throw new \\RuntimeException(\"not_null: field cannot be null.\");\n return $data;\n }", "public function whereNotNull($field);", "public function findByOrNull($field, $value)\n {\n return $this->query()->where($field, $value)->first();\n }", "public function whereIsNull($key)\n {\n return $this->where(\n ['$or' => [\n [$key => ['$exists' => false]],\n [$key => null]\n ]]\n );\n }", "public function findPathNoNull()\r\n {\r\n return $this->createQueryBuilder('d')\r\n ->where('d.path IS NOT NULL')\r\n ->getQuery()\r\n ->getResult();\r\n }", "protected function where_null($where)\n\t{\n\t\treturn $this->wrap($where['column']).' IS NULL';\n\t}", "public function getNullValue() {}", "function getIllegalDataNull (&$msg)\n {\n $datas = $this->PublisherMaster->find ('all', array (\n 'conditions' => array ('PublisherMaster.enable' => '1',\n 'PublisherMaster.ios' => NULL,\n 'PublisherMaster.android' => NULL)));\n\n if (empty ($datas))\n return 0;\n\n $msg .= \"\\nFinding ios = NULL and android = NULL ... \\n\";\n foreach ($datas as $data)\n {\n $msg .= $data['PublisherMaster']['id'] . \"(\". $data['PublisherMaster']['owner_name']. \")\\n\";\n }\n return 1;\n }", "public function whereIsNotNull(string $field): self \n {\n return $this->whereNotNull($field);\n }", "public function notNull($fieldName, $modelTableData = [], $sqlLogical = Query_Builder::SQL_LOGICAL_AND)\n {\n return $this->where(\n $sqlLogical,\n [$fieldName => null],\n Query_Builder::SQL_COMPARISON_KEYWORD_IS_NOT_NULL,\n $modelTableData\n );\n }", "public function testNullsTheTopLevelIfSyncNonNullableFieldReturnsNull(): void\n {\n $doc = '\n query Q { syncNonNull }\n ';\n\n $expected = [\n 'errors' => [\n [\n 'locations' => [['line' => 2, 'column' => 17]],\n 'extensions' => ['debugMessage' => 'Cannot return null for non-nullable field \"DataType.syncNonNull\".'],\n ],\n ],\n ];\n self::assertArraySubset(\n $expected,\n Executor::execute($this->schema, Parser::parse($doc), $this->nullingData)->toArray(DebugFlag::INCLUDE_DEBUG_MESSAGE)\n );\n }", "protected function where_not_null($where)\n\t{\n\t\treturn $this->wrap($where['column']).' IS NOT NULL';\n\t}", "function getNotNullFields ( $table )\r\n {\r\n $t = strtolower($table);\r\n // return the data from the cache if it exists\r\n if( isset( $this->_cache['notnull'][$t] ) )\r\n {\r\n return $this->_cache['notnull'][$t];\r\n }\r\n \t$sql = $this->query('DESCRIBE '.$this->quote( $table ) );\r\n \tif( $sql )\r\n \t{\r\n \t // save the not null fields in an array\r\n\t \t$result = array();\r\n\t \twhile( $r = mysql_fetch_assoc( $sql ) ) {\r\n\t \t\tif( $r['Null'] == 'NO' || empty($r['Null']) ) {\r\n\t \t\t\t$result[] = $r['Field'];\r\n\t \t\t}\r\n\t \t}\r\n \t}\r\n \telse\r\n \t{\r\n \t // display the error message when the not null fields could not be retrieved\r\n \t\ttrigger_error(\r\n \t\t \"Could not retrieve the not-null-field from the table '\".$table.\"'.\\n\".\r\n \t\t \"Query: \".$this->getLastQuery().\"\\n\".\r\n \t\t \"Error: \".$this->getError(),\r\n \t\t E_USER_WARNING\r\n \t\t);\r\n \t\treturn false;\r\n \t}\r\n \t// save the result in the cache\r\n \t$this->_cache['notnull'][$t] = $result;\r\n return $result;\r\n }", "public function field_is_null( $field_number ) {\n\t\tif ( $this->result )\n\t\t\treturn pg_field_is_null( $this->result , $field_number );\n\t\telse\n\t\t\treturn 0;\n\t}", "public function Data($field)\n {\n return null;\n }", "public function where_null($column_name) {\n $column_name = $this->_quote_identifier($column_name);\n return $this->_add_where(\"{$column_name} IS NULL\");\n }", "function wp_db_null_value( $query )\n{\n return str_ireplace( \"'NULL'\", \"NULL\", $query );\n}", "public function isNull($fieldName, $modelTableData = [], $sqlLogical = Query_Builder::SQL_LOGICAL_AND)\n {\n return $this->where(\n $sqlLogical,\n [$fieldName => null],\n Query_Builder::SQL_COMPARISON_KEYWORD_IS_NULL,\n $modelTableData\n );\n }", "function acf_nullify_empty($value, $post_id, $field) {\n if (empty($value)) {\n return null;\n }\n return $value;\n}", "protected function isNullOperation(Builder &$query)\n {\n if ( isset($this->value[ 'isNull' ]) && $this->value[ 'isNull' ] === true ) {\n $query->whereNull($this->field_name);\n } elseif ( isset($this->value[ 'isNull' ]) && $this->value[ 'isNull' ] === false ) {\n $query->whereNotNull($this->field_name);\n }\n }", "public function logNullField($table,$field){\n echo '!!!!!!!FEHLOHR!!!!!!!';\n return -1;\n \n }", "public function testOrmCriteriaNullAndNotNull()\n {\n $userModel = new IdiormDbal('users');\n\n $userModel->criteria('firstname', 'NULL', '');\n\n $users = $userModel->get();\n\n $this->assertCount(0, $users);\n\n $userModel = new IdiormDbal('users');\n\n $userModel->criteria('firstname', 'NOT NULL', '');\n\n $users = $userModel->get();\n\n $this->assertCount(2, $users);\n\n $this->assertEquals('John', $users[0]['firstname']);\n\n $this->assertEquals('Jane', $users[1]['firstname']);\n }", "public function isNull($column) { return $this->addCondition($column, null, Criterion::IS_NULL); }", "public function where_null( $column_name ) {\n\t\treturn $this->_add_where_no_value( $column_name, 'IS NULL' );\n\t}", "function nullCheck($param)\n{\n if(!empty($param))\n {\n return $param;\n }\n return NULL;\n \n}", "function acf_nullify_empty($value, $post_id, $field) {\n if (empty($value)) {\n return null;\n }\n return $value;\n }", "public function getData($field = null)\n\t{\n\t\tif (empty($field)) {\n\t\t\t// No element specified. Return all of the data that was validated.\n\t\t\treturn $this->data;\n\t\t}\n\t\t\n\t\tif (!empty($this->data) && array_key_exists($field, $this->data)) {\n\t\t\treturn $this->data[$field];\n\t\t}\n\t\t\n\t\treturn null;\n\t}" ]
[ "0.7227694", "0.6215732", "0.6069951", "0.60656124", "0.60214365", "0.5954654", "0.58674794", "0.57788473", "0.5688517", "0.5631346", "0.56242365", "0.5555079", "0.5535805", "0.5533308", "0.55207586", "0.5514267", "0.5509516", "0.5492945", "0.5487156", "0.5485119", "0.5480946", "0.5458106", "0.5455955", "0.54524946", "0.544957", "0.5420434", "0.53970855", "0.5383326", "0.53815144", "0.5380997" ]
0.6948742
1
Find data by multiple values in one field
public function findWhereIn($field, array $values, $columns = ['*']);
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "private function where_and_result()\n {\n /*\n Validates the where statement values\n */\n $r = [];\n\n // Loop through the db rows. Ge the index and row\n foreach ($this->content as $index => $row) {\n\n // Make sure its array data type\n $row = (array) $row;\n\n //check if the row = where['col'=>'val', 'col2'=>'val2']\n if (! array_udiff_uassoc($this->where, $row, [$this, 'intersect_value_check'], 'strcasecmp')) {\n $r[] = $row;\n // Append also each row array key\n $this->last_indexes[] = $index;\n } else {\n continue;\n }\n }\n return $r;\n }", "public function whereIn($field, $values, $order);", "function comb_query_where($data) {\n\t$query_where = \"\";\n\tif (is_array ( $data )) {\n\t\tforeach ( $data as $key => $value ) {\n\t\t\tif (! empty ( $value )) {\n\t\t\t\t$query_where .= \" and \" . get_real_column_name ( $key ) . \" like '%$value%' \";\n\t\t\t}\n\t\t}\n\t}\n\treturn $query_where;\n}", "function matching($selectlist,$keywordlist,$relation, $orderAttribute){\n\t\n\t//去掉未填项\n\t$keywordlist=array_filter($keywordlist);\n\tif(count($keywordlist)==0){\n\t\treturn array();\n\t}\n\t$keyword_arr=array();\n\t$ID_arr=array();\n\t$getSearch=\"select * from trade t,post p where t.trade_id=p.trade_id and \";\n\t\n\t$j=-1;//j表示字段间逻辑\n\tfor($i=0;$i<count($keywordlist);$i++){\t\n\t\tif($j>=0){\n\t\t\tif($relation[$j]==\"&\"){\n\t\t\t\t$getSearch=$getSearch.\" and \";\n\t\t\t}\n\t\t\telse if($relation[$j]==\"|\"){\n\t\t\t\t$getSearch=$getSearch.\" or \";\n\t\t\t}\n\t\t}\n\t\t$j++;\n\t\t$getSearch=$getSearch.\" t.\".$selectlist[$i].\" regexp '\".$keywordlist[$i].\"'\";\n\t}\n\t$getSearch=$getSearch.\"order by \".$orderAttribute;\n\techo $getSearch;\n\t$result=mysql_query($getSearch);\n\t\n\treturn $result;\n\t\n}", "public function find_where($field_name, $value = null)\n\t{\n\t\t$result_array = array();\n\t\t\n\t\t$this->db->select('x.*');\n\t\t\n\t\tif (is_array($field_name))\n\t\t{\n\t\t\t$loop = $field_name;\n\t\t}\n\t\telseif ( ! is_null($value))\n\t\t{\n\t\t\t$loop[$field_name] = $value;\n\t\t}\n\t\telse\n\t\t{\n\t\t\tthrow new Exception('Error in method: find_where. Either pass an array of fields => values OR pass two args[0] = field_name, args[1] = value', 500);\n\t\t}\n\t\t\n\t\tforeach ($loop as $f => $v)\n\t\t{\n\t\t\tif (array_key_exists($f, $this->fields)) {\n\t\t\t\tif (is_array($v)) {\n\t\t\t\t\t$this->db->where_in($f, $v); }\n\t\t\t\telse {\n\t\t\t\t\t$this->db->where($f, $v); } }\n\t\t}\n\t\t\n\t\t$this->db->from($this->db_table.' x');\n\t\t\n\t\t$query = $this->db->get();\n\t\t\n\t\tif ($query->num_rows() === 0) { return $result_array; }\n\t\t\n\t\tforeach ($query->result() as $row)\n\t\t{\n\t\t\t$class = get_called_class();\n\t\t\t$object = new $class;\n\t\t\t$object->populate($row);\n\t\t\t$result_array[] = $object;\n\t\t}\n\t\t\n\t\treturn $result_array;\n\t}", "public function findBy($field, $value, $columns = ['*']);", "public function findBy($field, $value, $columns = ['*']);", "function selectMultipleRecordsByLanguage($tableName,$field,$value,$data) {\n\t$q = \"SELECT * FROM `\" . $tableName . \"` WHERE `\" . $field . \"` = '\" . $value . \"' AND `language_id`\t=\t'\".$_SESSION['language_id'].\"' \";\n\n\tif (isset ( $data ['sort'] )) {\n\t\t$q .= \" ORDER BY \" . $data ['sort'] . \" \";\n\t}\n\n\tif (isset ( $data ['order'] )) {\n\t\t$q .= $data ['order'];\n\t}\n\t// echo $q;\n\t$r = $this->db->getMultipleRecords ( $q );\n\tif ($r != false)\n\t\treturn $r;\n\telse\n\t\treturn false;\n}", "public function searchRecord(array $fieldsArray, $searchValue) {\n $result = $this->model->Where(function ($q) use ($fieldsArray, $searchValue) {\n $q->orWhere($fieldsArray[0], 'LIKE', '%' . $searchValue . '%');\n for ($i = 1; $i < count($fieldsArray); $i++) {\n $q->orWhere($fieldsArray[$i], 'LIKE', '%' . $searchValue . '%');\n }\n });\n return $result;\n }", "public function findBy($field, $value, $columns = array('*'));", "public function find($fields = []) {\n\t\tglobal $link;\n\t\t$table = $this->table_name();\n\t\t$where = \"\";\n\t\tforeach($fields as $key => $value) {\n\t\t\tif (property_exists($this, $key)) {\n\t\t\t\t//die($key);\n\t\t\t\t$where = $where . \"AND \" . \"$key\" . \" Like('%$value%') \";\n\t\t\t}\n\t\t}\n\t\t$where = trim($where, \"AND\");\n\t\t$where = trim($where);\n\t\t$query = \"SELECT * FROM \" . \"`$table`\" . \" WHERE $where\";\n\t\t$res = $link->query($query);\n\t\t$i = 0;\n\t\t//die($query);\n\t\t$result = [];\n\t\twhile ($row = mysqli_fetch_array($res)) {\n\t\t\t$result[] = $row;\n\t\t}\n\t\treturn $result;\n\t}", "public function restrictionFind($array) {\n //build string up to where clause\n $arrayString = 'SELECT * FROM '.$this->table.' WHERE ';\n $values = array();\n //loop through array as list pull 1st value as field, 2nd as the value to search for, 3rd as the operator to use, 4th is the conjuction between statements i.e and/or\n \n $subStringTrim = 3;\n // can make this better by assigning keys to array passed i.e. the array would have a field \"field\" => fieldvalue then list would have as ['field' = $field, 'value' = $value etc]\n //trackes the value to be removed from string due to final conjuction\n foreach($array as list($field,$value,$operator, $conjuction)) {\n $arrayString .= $field.' '.$operator.' ' .':'.$field.' '.$conjuction.' ';\n $values[$field] = $value;\n $subStringTrim = strlen($conjuction)+1;\n }\n // remove final AND from string\n $queryString = substr($arrayString, 0, -$subStringTrim);\n\t //var_dump($queryString);\n\t $stmt = $this->pdo->prepare($queryString);\n\t $stmt->setFetchMode(\\PDO::FETCH_CLASS, $this->entityClass, $this->entityConstructor);\n $stmt->execute($values);\n // fetch all for multi result\n $results = $stmt->fetchAll();\n return $results;\n }", "public function orWhereIn($column, $values);", "public function findByField($field, $value, $columns = ['*']);", "public function findByField($field, $value, $columns = ['*']);", "public function get_list_where_in($data) {\n if(isset($data['limit'])){\n $this->db->limit($data['limit']);\n } \n $this->db->select($data['select_fields'])->where($data['where'])->where_in($data['where_in'])->from($data['tablename']); \n $result = $this->db->get()->result_array();\n return $result;\n }", "public function orWhereIn($column, array $values);", "function search_content_by_value($value){\n $query = db_select(\"node\", \"node\");\n $query->fields('node', array('nid'));\n $query->condition('node.title', '%' . $value . '%', 'LIKE');\n $nid1 = $query->execute()->fetchCol();\n\n $query = db_select(\"field_data_body\", \"body\");\n $query->addField('body', 'entity_id', 'nid');\n $query->condition('body.body_value', '%' . $value . '%', 'LIKE');\n $query->condition('body.entity_type' , 'node');\n $nid2 = $query->execute()->fetchCol();\n\n $query = db_select(\"taxonomy_term_data\" , \"term_data\");\n $query->join(\"taxonomy_index\" , \"taxonomy_index\" , \"taxonomy_index.tid = term_data.tid\");\n $query->fields(\"taxonomy_index\" , array(\"nid\"));\n $query->condition(\"term_data.name\" , '%' . $value . '%', 'LIKE');\n $nid3 = $query->execute()->fetchCol();\n\n $nids = array_merge($nid1, $nid2);\n $nids = array_merge($nids , $nid3);\n\n return $nids;\n}", "public function whereIn(string $fieldName, array $values): static;", "public static function find($arrConditions);", "private function where_result()\n {\n $this->flush_indexes();\n\n if ($this->merge == 'AND') {\n return $this->where_and_result();\n }\n // Filter array\n $r = array_filter($this->content, function ($row, $index) {\n $row = (array) $row; // Convert first stage to array if object\n\n // Check for rows intersecting with the where values.\n if (array_uintersect_uassoc($row, $this->where, [$this, 'intersect_value_check'], 'strcasecmp') /*array_intersect_assoc( $row, $this->where )*/) {\n $this->last_indexes[] = $index;\n return true;\n }\n\n return false;\n }, ARRAY_FILTER_USE_BOTH);\n\n // Make sure every object is turned to array here.\n return array_values(obj_to_array($r));\n }", "function or_like ( $arrValue, $table = false, $join = false ) { \n\n if ( empty( $arrValue ) ) $this->InvalidArgExceptionThrow( 1 );\n\n if ( $join ) $this->joinTable( $join );\n\n foreach( $arrValue as $key => $value ) { \n $this->db->or_like( $key, $value );\n }\n\n if ( !$table )\n $query = $this->db->get( $this->table ); \n else\n $query = $this->db->get( $table );\n \n return $query->result_array();\n }", "public function whereIn($column, $values);", "public function find($value){\n $query = \"SELECT * FROM employee WHERE CONCAT(full_name, ' ',email, ' ',designation, ' ') LIKE :value\";\n $run = $this->conn->prepare($query);\n // Short Way to Bind Value\n $run->execute(array(\"value\"=>\"%\".$value.\"%\"));\n $searched_data = $run->fetchAll(PDO::FETCH_ASSOC);\n // $searched_data['Status Code'] = 200;\n return $searched_data;\n }", "function find($field, $value);", "public function hasMultiple($key);", "function fWhereIn( $field, $where_in_array ) {\n $this->db->where_in( $field, $where_in_array );\n $result = $this->db->get( $this->table );\n if ( $result->num_rows() > 0 ) {\n return $result->result_array();\n }else{\n return false;\n }\n }", "function findByIds($ids, $field, $direction)\n{\n global $db;\n\n $ids = implode(',', $ids);\n\n $sql = \"SELECT *\n FROM products\n WHERE id IN ({$ids})\n ORDER BY {$field} {$direction};\";\n\n return $db->query($sql)->fetchAll();\n}", "public function search(array $data)\n {\n }", "public function check($data = array()){\n\n\t\t$cond0 = array('friend_one' => $data['_id']);\n\t\t$cond1 = array('friend_one' => new MongoId($data['search']));\n\t\t$cond2 = array('friend_two' => new MongoId($data['search']));\n\t\t$cond3 = array('friend_two' => $data['_id']);\n\t\t$or0 = array('$or' => array($cond0, $cond1));\n\t\t$or1 = array('$or' => array($cond2, $cond3));\n\t\treturn $this->friends->find(array('$and' => array($or0, $or1)));\n\t\t\n\t}" ]
[ "0.62207717", "0.58844817", "0.584666", "0.57691866", "0.57682043", "0.56813234", "0.56813234", "0.56613284", "0.5637013", "0.5574781", "0.5521096", "0.55092686", "0.54729056", "0.5466926", "0.5466926", "0.54667324", "0.54197556", "0.5380287", "0.537722", "0.5369825", "0.5366711", "0.5365616", "0.5362117", "0.53547484", "0.5352671", "0.5346356", "0.5342424", "0.53371346", "0.5318563", "0.53107" ]
0.6189706
1
Find data by excluding multiple values in one field
public function findWhereNotIn($field, array $values, $columns = ['*']);
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function getDataWhereNotIn($field, array $data)\n\t{\n\t\treturn $this->model->whereNotIn($field, $data)->get();\n\t}", "public function getExclude(): array;", "public function notIn($attr, $values);", "public function getExcludes();", "public function exclude() {\n\t\t$results = [];\n\t\t$argCount = func_num_args();\n\t\t$args = func_get_args();\n\n\t\tif ($argCount == 1 && is_array($args[0])) {\n\t\t\t$array = $args[0];\n\t\t} else {\n\t\t\t$array = $args;\n\t\t}\n\n\t\tforeach ($this->requestData as $key => $value) {\n\t\t\tif (!in_array($key, $array)) {\n\t\t\t\t$results[$key] = $this->requestData[$key];\n\t\t\t}\n\t\t}\n\n\t\treturn $results;\n\t}", "public function notWhere(array $where);", "public function whereNotIn(string $fieldName, array $values): static;", "public function testWhereNotIn()\n {\n $customers = Customer::index(0)->whereNotIn('option', [100, 100, 101, 500, 5000])\n ->reject(Query::FULL_SCAN)->get();\n $this->assertEquals(count($customers), 9996);\n $this->assertEquals($customers[9995]->id, 10000);\n \n //subsequent where\n $customers = Customer::index(0)->whereNotIn('option', [100, 100, 101, 500, 5000])\n ->where('phone', '<!=>', '')\n ->reject(Query::FULL_SCAN)->get();\n $this->assertEquals(count($customers), 9899);\n $this->assertEquals($customers[9898]->id, 9999);\n $this->showMemoryUsage();\n }", "function where_not_in($column, $values, $connector = 'AND') {\n return $this->where_in($column, $values, 'AND', true);\n }", "public function scopeExclude($query, $value = []) {\n $columns = array_merge(['id'], Database::getSchemaTable(static::$_table_id)->columns);\n return $query->select( array_diff( $columns,(array) $value) );\n }", "public function findAllWhereNotIn($columnName,$array,$relationshipNames=[],$trashed = false);", "function where_not_in ( $arrValue, $table = false, $join = false ) { \n\n if ( empty( $arrValue ) ) $this->InvalidArgExceptionThrow( 1 );\n\n if ( $join ) $this->joinTable( $join );\n\n foreach( $arrValue as $key => $value ) { \n $this->db->where_not_in( $key, $value );\n }\n\n if ( !$table )\n $query = $this->db->get( $this->table ); \n else\n $query = $this->db->get( $table );\n \n return $query->result_array();\n }", "public function setExcludeAsExactMatch(array $values): self\n {\n return $this->setParam('exclude', $values);\n }", "public function andNotIn(string $field, array $values): self \n {\n return $this->whereNotIn($field, $values);\n }", "public function whereNotIn($column, array $values);", "function not_like ( $arrValue, $table = false, $join = false ) { \n\n if ( empty( $arrValue ) ) $this->InvalidArgExceptionThrow( 1 );\n \n if ( $join ) $this->joinTable( $join );\n\n foreach( $arrValue as $key => $value ) { \n $this->db->not_like( $key, $value );\n }\n\n if ( !$table )\n $query = $this->db->get( $this->table ); \n else\n $query = $this->db->get( $table );\n \n return $query->result_array();\n }", "public function filterExclude($excludedFields = [])\n {\n array_push($excludedFields, 'primary_key_id_name');\n array_push($excludedFields, 'pk');\n array_push($excludedFields, 'session');\n array_push($excludedFields, 'database');\n\n foreach ($this as $field => $value) {\n if (in_array($field, $excludedFields)) {\n unset($this->$field);\n }\n }\n\n// $this->removeStaticFields();\n }", "public function notIn($fieldName, array $fieldValue, $modelTableData = [], $sqlLogical = Query_Builder::SQL_LOGICAL_AND)\n {\n return $this->where(\n $sqlLogical,\n [$fieldName => $fieldValue],\n Query_Builder::SQL_COMPARISON_KEYWORD_NOT_IN,\n $modelTableData\n );\n }", "public function filterValues($already_ids)\n {\n foreach($this->values as $k => $value)\n {\n if (in_array($value,$already_ids))\n unset($this->values[$k]);\n }\n }", "public function orWhereNotIn($column, array $values);", "public function exceptValuesCanBeSelected()\n {\n $except = $this->dto->except(['myUsername']);\n $this->assertFalse(array_key_exists('myUsername', $except));\n }", "public function where_not_in($field = NULL, $values = NULL)\n\t{\n\t\treturn $this->_where_in($field, $values, TRUE);\n\t}", "function &where_not_in($key, $values = false)\n\t{\n\t\treturn $this->where_in($key,$values,true);\n\t}", "public function notIn(string $column, array $values, string $type = Condition::AND): CriteriaInterface;", "function or_where_not_in ( $arrValue, $table = false, $join = false ) { \n\n if ( empty( $arrValue ) ) $this->InvalidArgExceptionThrow( 1 );\n\n if ( $join ) $this->joinTable( $join );\n\n foreach( $arrValue as $key => $value ) { \n $this->db->or_where_not_in( $key, $value );\n }\n\n if ( !$table )\n $query = $this->db->get( $this->table ); \n else\n $query = $this->db->get( $table );\n \n return $query->result_array();\n }", "public function getIdsNotMatchingTags($tags = []);", "function in_condition(string $field, array $value, bool $negate): array {\n $markers = \\trim(str_repeat('?, ', count($value)), ', ');\n\n $expr = $field . ($negate ? ' not in (' : ' in (') . $markers . ')'; \n\n return [$expr, $value];\n}", "function or_not_like ( $arrValue, $table = false, $join = false ) { \n\n if ( empty( $arrValue ) ) $this->InvalidArgExceptionThrow( 1 );\n \n if ( $join ) $this->joinTable( $join );\n\n foreach( $arrValue as $key => $value ) { \n $this->db->or_not_like( $key, $value );\n }\n\n if ( !$table )\n $query = $this->db->get( $this->table ); \n else\n $query = $this->db->get( $table );\n \n return $query->result_array();\n }", "public function whereNotIn($fieldName, $values){\r\n $op = \"AND\";\r\n if(!$this->isWhere){\r\n $op = \"WHERE\";\r\n $this->isWhere = true;\r\n }\r\n if(is_array($values)){\r\n $values = join(',', $values);\r\n }\r\n $this->sql = $this->sql->append(\"$op \")->append($fieldName.' NOT IN ('.$values.')'.PHP_EOL);\r\n return $this;\r\n }", "function whereNotIn($key = null, $values = null)\n {\n return $this->_whereIn($key, $values, true, 'AND ');\n }" ]
[ "0.65081555", "0.6295202", "0.6227914", "0.61528724", "0.6109877", "0.6054995", "0.6047813", "0.60330904", "0.5937178", "0.59191", "0.58205736", "0.58012116", "0.5795678", "0.5778464", "0.5772579", "0.57489043", "0.57483125", "0.56890136", "0.5683746", "0.5678759", "0.5669863", "0.5645814", "0.56147623", "0.56077665", "0.5604622", "0.55289435", "0.55271834", "0.5517829", "0.5499654", "0.5493907" ]
0.6412213
1
Find data using a raw SQL string and optional search parameters
public function findSQL($searchSql='', array $searchValues=array());
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function read_search() {\r\n $this->search = htmlspecialchars($this->search);\r\n $has = \"%$this->search%\";\r\n $query =\r\n 'SELECT *\r\n FROM products\r\n WHERE `name` LIKE :has\r\n ORDER BY `name`';\r\n\r\n $stmt = $this->conn->prepare($query);\r\n $stmt->bindParam(':has', $has);\r\n\r\n $stmt->execute();\r\n\r\n return $stmt;\r\n\r\n }", "function sqlSearch(){\n\n\t\t$search\t\t= getValue(\"search\",\"int\",\"GET\",0);\n\t\t$str \t\t\t= '';\n\t\tif($search == 1){\n\n\t\t\tforeach($this->arraySearch as $key=>$field){\n\n\t\t\t\t$keyword\t\t= getValue($field,\"str\",\"GET\",\"\");\n\t\t\t\tif($keyword == $this->arrayLabel[$key]) $keyword = \"\";\n\t\t\t\t$keyword\t\t= str_replace(\" \",\"%\",$keyword);\n\t\t\t\t$keyword\t\t= str_replace(\"\\'\",\"'\",$keyword);\n\t\t\t\t$keyword\t\t= str_replace(\"'\",\"''\",$keyword);\n\t\t\t\tswitch($this->arrayType[$key]){\n\t\t\t\t\tcase \"string\":\n\t\t\t\t\tcase \"text\":\n\t\t\t\t\t\tif(trim($keyword)!='') $str \t\t.= \" AND \" . $field . \" LIKE '%\" . $keyword . \"%'\";\n\t\t\t\t\tbreak;\n\t\t\t\t\tcase \"numbernotedit\":\n\t\t\t\t\t\tif(intval($keyword)> 0) $str \t\t.= \" AND \" . $field . \" = \" . $keyword;\n\t\t\t\t\tbreak;\n\t\t\t\t\tcase \"array\":\n\t\t\t\t\tcase \"arraytext\":\n\t\t\t\t\t\tif(intval($keyword)> -1) $str \t\t.= \" AND \" . $field . \"=\" . intval($keyword) . \"\";\n\t\t\t\t\tbreak;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t\treturn $str;\n\t}", "abstract protected function querySearch(Params $params);", "public function search($columns = array('*'), $condition = []);", "public function findBy($params);", "public function search(array $parameters = []);", "public function test_build_sql_search_query(){\n $search= new search('sem001');\n //select all column\n $search->select(); \n //filter\n $search->setSqlfilter('institution','Obafemi Awolowo University');\n //sort\n $search->sortResultBy('date');\n //sort direction\n $search->sortDirection('ASC');\n //limit result to 3\n $search->setResultLimit(3);\n //offset result by 2\n $search->setOffset(2);\n \n //build search string\n $search->buildQuery();\n $output=$search->get_sql_query_string();\n //expected query\n $query=\"select * from courses where (institution like :searchterm or course_code like :searchterm or course_title like :searchterm or department like :searchterm) and institution=:institution order by :sortby ASC LIMIT :limit OFFSET :offset\";\n //assert\n $this->assertEquals($query,$output,\"expecting $query\");\n\n $outputparam=$search->get_sql_query_param_array();\n //expected query\n $param=[':searchterm' => '%sem001%',':institution' => 'Obafemi Awolowo University',':sortby' => 'when_added',':limit' => 3,':offset' => 2];\n //assert\n $this->assertEquals($param,$outputparam,\"expecting parameterised array\");\n }", "public function search(array $parameters);", "public function search( $str = null ) {\n\t\t// TODO: SELECT based on search string\n\t}", "function BasicSearchSQL($Keyword)\r\n{\r\n\r\n$sKeyword = (!get_magic_quotes_gpc()) ? addslashes($Keyword) : $Keyword;\r\n\t\r\n$x_entero = intval($sKeyword);\r\n\r\n\t$BasicSearchSQL = \"\";\r\n\tif($x_entero > 0){\r\n\r\n\t$BasicSearchSQL.= \"credito.credito_num LIKE '%\" . $sKeyword . \"%' OR \";\r\n\t\r\n\t}else{\r\n/*\r\n\t$BasicSearchSQL.= \"cliente.nombre_completo LIKE '%\" . $sKeyword . \"%' OR \";\t\r\n\t$BasicSearchSQL.= \"cliente.apellido_paterno LIKE '%\" . $sKeyword . \"%' OR \";\t\r\n\t$BasicSearchSQL.= \"cliente.apellido_materno LIKE '%\" . $sKeyword . \"%' OR \";\t\r\n*/\t\r\n\t}\r\n//\t$BasicSearchSQL.= \"cliente.nombre_completo LIKE '%\" . $sKeyword . \"%' OR \";\t\r\n\tif (substr($BasicSearchSQL, -4) == \" OR \") { $BasicSearchSQL = substr($BasicSearchSQL, 0, strlen($BasicSearchSQL)-4); }\r\n\treturn $BasicSearchSQL;\r\n}", "public function search();", "function Search($fieldofSearch, $matchingValue, $table, $db)\n{\n $query = \"SELECT * FROM \" . $table . \" WHERE \" . $fieldofSearch . \" LIKE ?\";\n\n $stmt = $db->prepare($query);\n\n //only one paramter is passed\n $stmt->bind_param(\"s\", $matchingValue);\n\n $stmt->execute();\n\n return $stmt;\n}", "abstract public function searchById($id);", "public function find() {\n $class = $this->class;\n $argv = func_get_args();\n\n // Make sure they send at least one parameter\n if (count($argv) < 1) {\n throw new Exception(\"$class::find() expects at least one parameter\", 1);\n return;\n }\n\n $db = DB::connect();\n\n // If $column is set, add change the condition\n if (!isset($argv[1])) {\n $column = \"id\";\n } else {\n $column = $argv[1];\n }\n\n $id = $argv[0];\n\n\n // Check that $column exists on the table\n if (!in_array($column, $class::get_column_names())) {\n return null;\n }\n\n\n $result = $db->prepare('SELECT * FROM ' . $class . ' WHERE ' . $column . ' = :id');\n $result->bindParam(':id', $id);\n\n $result->execute();\n\n $result = $result->fetch(PDO::FETCH_ASSOC);\n\n\n // If the is no result\n if (!$result) {\n return null;\n }\n\n return new $class($result);\n }", "static public function find_where($sqlOptions = []) {\n // get options\n // check to see if the array is empty\n $columnOptions_array = $sqlOptions['columnOptions'] ?? [\"*\"];\n $whereOptions_array = $sqlOptions['whereOptions'] ?? [];\n $sortingOptions_array = $sqlOptions['sortingOptions'] ?? [];\n\n // check for regular string coming in, set to whereOptions_array\n if (!(is_array($sqlOptions) && (isset($sqlOptions['columnOptions']) || isset($sqlOptions['whereOptions']) || isset($sqlOptions['sortingOptions'])))) {\n // set whereOptions_array\n $whereOptions_array = $sqlOptions;\n }\n\n // make sure we're getting what we think were getting, need arrays, if strings passed and switched into arrays\n if (!is_array($columnOptions_array)) { $columnOptions_array = explode(\",\", $columnOptions_array); }\n if (!is_array($whereOptions_array)) { $whereOptions_array = explode(\",\", $whereOptions_array); }\n if (!is_array($sortingOptions_array)) { $sortingOptions_array = explode(\",\", $sortingOptions_array); }\n\n // Begin building the SQL\n // build SELECT\n $sql = \"SELECT \" . implode(\", \", $columnOptions_array) . \" \";\n\n // build FROM\n $sql .= \"FROM \" . static::$tableName . \" \";\n\n // build WHERE, make sure to check whether it is an AND or an OR statement, AND by default OR has to be specified\n for ($i=0; $i < count($whereOptions_array); $i++) { \n // add WHERE\n if ($i == 0) { $sql .= \"WHERE \"; }\n // set option\n $whereConnector = \"AND\";\n $whereOption = $whereOptions_array[$i];\n // check to see if it is an OR or AND\n if (strpos($whereOption, \"::OR\")) {\n $whereConnector = \"OR\";\n // remove the ::OR\n $whereOption = str_replace(\"::OR\", \"\", $whereOption);\n }\n // add WHERE option\n $sql .= $whereOption;\n // add AND or OR or end\n if (!($i >= count($whereOptions_array) - 1)) { $sql .= \" {$whereConnector} \"; } else { $sql .= \" \"; }\n }\n\n // Add the sorting options if defined\n foreach($sortingOptions_array as $option) {\n $sql .= \"{$option} \";\n }\n\n // make the query\n $result = static::find_by_sql($sql);\n\n // return the data\n return $result;\n }", "function basic_search($dbh) {\n if (isset($_POST['criteria']) ) {\n\n $search_by = $_POST['criteria'];\n $search_term = $_POST['search_term'];\n\n //search using keyword (recipe name)\n if ($search_by == 'keyword') {\n $sql = \"SELECT RID, name, time FROM recipe WHERE name LIKE ?\";\n $values = array(\"%\".$search_term.\"%\");\n\n // search using time in minutes less than or equal to search term\n } else if ($search_by == 'time') {\n $sql = \"SELECT RID, name, time FROM recipe WHERE time <= ?\";\n $values = array($search_term); \n\n // search using ingredient name\n } else if ($search_by == 'ingredient') {\n $sql = \"SELECT RID, recipe.name, time FROM recipe, ingredient \n WHERE ingredient.name LIKE ? AND RID = recipeID\";\n $values = array(\"%\".$search_term.\"%\");\n\n // search using equipment name\n } else if ($search_by == 'equipment') {\n $sql = \"SELECT RID, recipe.name, time FROM recipe, equipment \n WHERE equipment.name LIKE ? AND RID = recipeID\";\n $values = array(\"%\".$search_term.\"%\");\n } \n \n $resultset = prepared_query($dbh,$sql,$values);\n $num_rows = $resultset->numRows();\n $resultURL = \"recipe.php\"; //$_SERVER['PHP_SELF'];\n\n echo \"<p>$num_rows results found.\";\n while($row = $resultset->fetchRow(MDB2_FETCHMODE_ASSOC)) {\n $RID = $row['RID'];\n $name = $row['name'];\n $time = $row['time'];\n echo \"<p><a href='$resultURL?RID=$RID' id='recipelink'>$name</a> $time minutes\\n\";\n }\n }\n }", "private static function fullFind(array $params) {\n $filtered = filter(Company::TABLE_FIELDS, $params);\n // query builder must be included in another file\n $qb = QueryBuilder::select(Company::TABLE_NAME, Company::TABLE_FIELDS);\n $first = true;\n foreach ($filtered as $field => $value) {\n if ($first) {\n $qb->where(Company::TABLE_NAME.\".{$field} = \\\"{$value}\\\"\");\n $first = false;\n } else {\n $qb->and(Company::TABLE_NAME.\".{$field} = \\\"{$value}\\\"\");\n }\n }\n\n return $qb->execute();\n }", "function query_to_where($query, array $fields, $i = '`')\n{\n\n // sanitize the query by removing extra spaces, trim and convert to lowercase\n $query = trim(mb_convert_case(preg_replace('/\\s+/', ' ', $query), MB_CASE_LOWER));\n\n $where = '';\n\n $driver = app('db')->pdo->getAttribute(PDO::ATTR_DRIVER_NAME);\n\n // explode the string\n $values = array();\n $exploded = explode(',', $query);\n $exploded = array_filter(array_map('trim', $exploded));\n\n foreach ($exploded as $subquery) {\n foreach ($fields as $field) {\n if ($driver == 'sqlite') {\n $where .= $i . $field . $i . ' LIKE \"%\" || ? || \"%\" OR ';\n } else {\n $where .= $i . $field . $i . ' LIKE CONCAT (\"%\", ?, \"%\") OR ';\n }\n $values[] = $subquery;\n }\n }\n\n $where = substr($where, 0, -3);\n\n return array('sql' => $where, 'values' => $values);\n}", "function makeSQL(){\n\t\t\t$search = $this->getSearchString();\n\t\t\t$fields = $this->getFields();\n\t\t\t\n\t\t\tif($search!=\"\"){\n\t\t\t\t//build array from input..\n\t\t\t\t$params = split(\" \", $search);\n\t\t\t\t$InQuotedString = 0;\n \n\t\t\t\t//now, build tokens from array (watch the \"\")\n\t\t\t\t$tokNum = 0;\n\t\t\t\t$tokens = array();\n \n\t\t\t\t$tokens[$tokNum] = \"\";\n\t\t\t\tfor($i=0;$i<count($params);$i++){\n\t\t\t\t\tif(isset($tokens[$tokNum])){\n\t\t\t\t\t\t$tokens[$tokNum] = \"\";\n\t\t\t\t\t}\n\n\t\t\t\t\t$param = $params[$i];\n\t\t\t\t\tif(ereg(\"^\\\"\",$param) || ereg(\"^[+-]\\\"\",$param)){\n \t\t$InQuotedString = 1;\n \t\t}\n \n\t\t\t\t\tif($InQuotedString==1){\n\t\t\t\t\t\t$tokens[$tokNum] .= ereg_replace(\"\\\"\",\"\",$param) . \" \";\n\t\t\t\t\t}else{\n\t\t\t\t\t\t$tokens[$tokNum++] = $param;\n\t\t\t\t\t}\n \n\t\t\t\t\tif(ereg(\"\\\"$\", $param)){\n\t\t\t\t\t\t$InQuotedString = 0;\n\t\t\t\t\t\t$tokens[$tokNum] = chop($tokens[$tokNum]);\n\t\t\t\t\t\t$tokNum++;\n\t\t\t\t\t} \n\t\t\t\t}//end for \n \n\t\t\t\t//build SQL\n\t\t\t\t$SQL = \"\";\t\t\t\t\t\t\t\t\n\n\t\t\t\tfor($i=0; $i<count($tokens); $i++){\n\t\t\t\t\tfor($x=0; $x<count($fields); $x++){\n\t\t\t\t\t\t$token = ereg_replace(\" $\", \"\", $tokens[$i]);\n\t\t\t\t\t\tif(ereg(\"^\\\\+\",$token)){\n\t\t\t\t\t\t\t$token = ereg_replace(\"^\\\\+\",\"\",$token);\n\t\t\t\t\t\t\t$SQL .= \"$fields[$x] like '%$token%'\";\n\t\t\t\t\t\t\tif($x<count($fields)-1){\n\t\t\t\t\t\t\t\t$SQL .= \" OR \";\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}elseif(ereg(\"^\\\\-\",$token)){\n\t\t\t\t\t\t\t$token = ereg_replace(\"^\\\\-\",\"\",$token);\n\t\t\t\t\t\t\t$SQL .= \"$fields[$x] NOT like '%$token%'\";\n\t\t\t\t\t\t\tif($x<count($fields)-1){\n\t\t\t\t\t\t\t\t$SQL .= \" AND \";\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}else{\n\t\t\t\t\t\t\t$SQL .= \"$fields[$x] like '%$token%'\";\n\t\t\t\t\t\t\tif($x<count($fields)-1){\n\t\t\t\t\t\t\t\t$SQL .= \" OR \";\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n \t\t}//end inner for\n \n\t\t\t\t\tif($i<count($tokens)-1){\n\t\t\t\t\t\t$SQL .= \") AND (\";\n\t\t\t\t\t}else{\n\t\t\t\t\t\t$SQL .= \")\";\n\t\t\t\t\t}\n \t\t}//end outer for\n\t\t\t\t\n\t\t\t\t//check constraints\n\t\t\t\tif($this->getConstraints()){\n\t\t\t\t\t$SQL .= \" AND \" . $this->getConstraints(1);\n\t\t\t\t}\n\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t//check groups\n\t\t\t\tif($this->getGroup()){\n\t\t\t\t\t$SQL .= \" GROUP BY \" . $this->getGroup();\n\t\t\t\t}\n\t\t\t\t\n\t\t\t\t//check order by\n\t\t\t\tif($this->getOrder()){\n\t\t\t\t\t$SQL .= \" ORDER BY \" . $this->getOrder(1);\n\t\t\t\t}\n\t\t\t\t\n\t\t\t\t//check limits\n\t\t\t\tif($this->getLimitEnd()){\n\t\t\t\t\t$SQL .= \" LIMIT \" . $this->getLimitStart() . \", \" . $this->getLimitEnd();\n\t\t\t\t}\n\t\t\t\t\n\t\t\t\t$SQL = \"SELECT \" . $this->getSelect(1) . \" FROM \" . $this->getTable() . \" WHERE (\" . $SQL;\n\t\t\t\t\n\t\t\t\t$this->sql = $SQL;\n\t\t\t\treturn $SQL;\n\t\t\t\t\n \t\t}else{\n\t\t\t\t//check constraints\n\t\t\t\tif($this->getConstraints()){\n\t\t\t\t\t$SQL .= \" WHERE \" . $this->getConstraints(1);\n\t\t\t\t}\n\t\t\t\t\t\t\t\t\t\t\t\t\n\t\t\t\t//check groups\n\t\t\t\tif($this->getGroup()){\n\t\t\t\t\t$SQL .= \" GROUP BY \" . $this->getGroup();\n\t\t\t\t}\n\t\t\t\t\n\t\t\t\t//check order by\n\t\t\t\tif($this->getOrder()){\n\t\t\t\t\t$SQL .= \" ORDER BY \" . $this->getOrder(1);\n\t\t\t\t}\n\t\t\t\t\n\t\t\t\t//check limits\n\t\t\t\tif($this->getLimitEnd()){\n\t\t\t\t\t$SQL .= \" LIMIT \" . $this->getLimitStart() . \", \" . $this->getLimitEnd();\n\t\t\t\t}\n\t\t\t\t\n\t\t\t\t$SQL = \"SELECT \" . $this->getSelect(1) . \" FROM \" . $this->getTable() . $SQL;\n\t\t\t\t$this->sql = $SQL;\n\t\t\t\treturn $SQL;\n\t\t\t}\n\t\t}", "public static function search();", "function search($search_string,$table_name,$field_names,$limit_start=\"\",$limit_end=\"\"){\n\t\t\t$this->searchString($search_string);\n\t\t\t$this->table($table_name);\n\t\t\t$this->fields($field_names);\n\t\t\t$this->limitStart($limit_start);\n\t\t\t$this->limitEnd($limit_end);\n\t\t}", "function BasicSearchSQL($Keyword)\r\n{\r\n\t$sKeyword = (!get_magic_quotes_gpc()) ? addslashes($Keyword) : $Keyword;\r\n\t$BasicSearchSQL = \"\";\r\n\t$BasicSearchSQL.= \"`nombre_grupo` LIKE '%\" . $sKeyword . \"%' OR \";\r\n\t$BasicSearchSQL.= \"`promotor` LIKE '%\" . $sKeyword . \"%' OR \";\r\n\t$BasicSearchSQL.= \"`representante_sugerido` LIKE '%\" . $sKeyword . \"%' OR \";\r\n\t$BasicSearchSQL.= \"`tesorero` LIKE '%\" . $sKeyword . \"%' OR \";\r\n\t$BasicSearchSQL.= \"`integrante_1` LIKE '%\" . $sKeyword . \"%' OR \";\r\n\t$BasicSearchSQL.= \"`integrante_2` LIKE '%\" . $sKeyword . \"%' OR \";\r\n\t$BasicSearchSQL.= \"`integrante_3` LIKE '%\" . $sKeyword . \"%' OR \";\r\n\t$BasicSearchSQL.= \"`integrante_4` LIKE '%\" . $sKeyword . \"%' OR \";\r\n\t$BasicSearchSQL.= \"`integrante_5` LIKE '%\" . $sKeyword . \"%' OR \";\r\n\t$BasicSearchSQL.= \"`integrante_6` LIKE '%\" . $sKeyword . \"%' OR \";\r\n\t$BasicSearchSQL.= \"`integrante_7` LIKE '%\" . $sKeyword . \"%' OR \";\r\n\t$BasicSearchSQL.= \"`integrante_8` LIKE '%\" . $sKeyword . \"%' OR \";\r\n\t$BasicSearchSQL.= \"`integrante_9` LIKE '%\" . $sKeyword . \"%' OR \";\r\n\t$BasicSearchSQL.= \"`integrante_10` LIKE '%\" . $sKeyword . \"%' OR \";\r\n\tif (substr($BasicSearchSQL, -4) == \" OR \") { $BasicSearchSQL = substr($BasicSearchSQL, 0, strlen($BasicSearchSQL)-4); }\r\n\treturn $BasicSearchSQL;\r\n}", "function getData ($data) {\n global $conn;\n\n // get data of entered value\n $getData = $conn->prepare(\"SELECT\n id, name\n FROM\n students\n WHERE\n id = ?\n OR\n name LIKE '%$data%'\n LIMIT 7\");\n $getData->execute([$data]);\n if($getData->rowCount() > 0){ // found\n return $getData->fetchAll();\n }else{\n return 0;\n }\n}", "function f_searchBuilder()\n\t{\n\t\t$columns = array('iseappname','instancename','instanceversion','timestamp','instancenode','type','environment');\n\t\t$output = \"\";\n\t\t$sqlor = 0; //stupid flag to see if 'and' is needed in sql query, meaning, if there's already a condition there\n\t\t$textstring = $_GET['textstring'];\n\t\t\n\t\tif($textstring)\n\t\t{\n\t\t\tforeach($columns as $column)\n\t\t\t{\n\t\t\t\t//loop through all the columns(also the GET var names), and if GET has that var, then add to the 'where' condition\n\t\t\t\t//if $and is defined, meaning there's existing condition, then add that before the condition\n\t\t\t\t//increment $and only if the column is valid and non-empty, meaning, there's filter specified\n\t\t\t\tif($sqlor) $output .= ' or '; //if there's more condition before this one.\n\t\t\t\tif(get_magic_quotes_gpc) $output .= \"$column like '%\".$textstring.\"%'\";\n\t\t\t\telse $output .= \"$column like '\".addslashes($textstring).\"%'\";\n\t\t\t\t$sqlor++;\n\t\t\t} //End of foreach\n\t\t}//end of if textstring\n\t\t\n\t\tif($output) return 'where (' . $output . ')'; //if output is not empty then prefix it with where, and return it\n\t}", "function search_movies($filter) {\n global $db;\n $query = 'SELECT * FROM movies\n\t\t\t WHERE title LIKE %' . $filter . '%';\n $statement = $db->prepare($query);\n\t//$statement->bindValue(':filter', $filter);\n $statement->execute();\n\t$movies = $statement -> fetchALL();\n\t$statement->closeCursor();\n return $movies; \n}", "private function _set_where($params)\n {\n if (count($params) == 1)\n {\n $this->{$this->_interface}->where($params[0]);\n }\n else\n {\n if ($this->_mongodb && preg_match('/^\\/.*\\/[a-z]*$/', $params[1]))\n {\n $params[1] = new MongoRegex($params[1]);\n }\n\n $this->{$this->_interface}->where($params[0], $params[1]);\n }\n }", "function search_get_where_sql($table, $fields, $params, $use_fulltext = TRUE) {\n\tglobal $CONFIG;\n\t$query = $params['query'];\n\n\t// add the table prefix to the fields\n\tforeach ($fields as $i => $field) {\n\t\tif ($table) {\n\t\t\t$fields[$i] = \"$table.$field\";\n\t\t}\n\t}\n\t\n\t$where = '';\n\n\t// if query is shorter than the min for fts words\n\t// it's likely a single acronym or similar\n\t// switch to literal mode\n\tif (elgg_strlen($query) < $CONFIG->search_info['min_chars']) {\n\t\t$likes = array();\n\t\t$query = sanitise_string($query);\n\t\tforeach ($fields as $field) {\n\t\t\t$likes[] = \"$field LIKE '%$query%'\";\n\t\t}\n\t\t$likes_str = implode(' OR ', $likes);\n\t\t$where = \"($likes_str)\";\n\t} else {\n\t\t// if we're not using full text, rewrite the query for bool mode.\n\t\t// exploiting a feature(ish) of bool mode where +-word is the same as -word\n\t\tif (!$use_fulltext) {\n\t\t\t$query = '+' . str_replace(' ', ' +', $query);\n\t\t}\n\t\t\n\t\t// if using advanced, boolean operators, or paired \"s, switch into boolean mode\n\t\t$booleans_used = preg_match(\"/([\\-\\+~])([\\w]+)/i\", $query);\n\t\t$advanced_search = (isset($params['advanced_search']) && $params['advanced_search']);\n\t\t$quotes_used = (elgg_substr_count($query, '\"') >= 2); \n\t\t\n\t\tif (!$use_fulltext || $booleans_used || $advanced_search || $quotes_used) {\n\t\t\t$options = 'IN BOOLEAN MODE';\n\t\t} else {\n\t\t\t// natural language mode is default and this keyword isn't supported in < 5.1\n\t\t\t//$options = 'IN NATURAL LANGUAGE MODE';\n\t\t\t$options = '';\n\t\t}\n\t\t\n\t\t// if short query, use query expansion.\n\t\t// @todo doesn't seem to be working well.\n//\t\tif (elgg_strlen($query) < 5) {\n//\t\t\t$options .= ' WITH QUERY EXPANSION';\n//\t\t}\n\t\t$query = sanitise_string($query);\n\n\t\t$fields_str = implode(',', $fields);\n\t\t$where = \"(MATCH ($fields_str) AGAINST ('$query' $options))\";\n\t}\n\n\treturn $where;\n}", "function sqlRequestWhere($table, $var, $match)\n{\n // //////////////////////////////////////////////////////////////////\n // Step #1:\n // Retrieve the data\n // //////////////////////////////////////////////////////////////////\n $returnValue = sqlRequest(\"select * from {$table} where {$var} = {$match}\");\n\n // //////////////////////////////////////////////////////////////////\n // Step #2:\n // Send back the data we were looking for\n // //////////////////////////////////////////////////////////////////\n return $returnValue;\n}", "public static function find($arrConditions);", "public function where() {\n // get all arguments\n $class = $this->class;\n $argv = func_get_args();\n $number_of_args = count($argv);\n\n if ($number_of_args < 1) {\n return null;\n }\n\n $db = DB::connect();\n $items = new Model();\n\n $condition = $argv[0];\n\n $results = $db->prepare('SELECT * FROM ' . $class . ' WHERE ' . $condition);\n\n // Bind all arguments to the '?'\n for ($i = 1; $i < $number_of_args; $i++) {\n $results->bindValue($i, $argv[$i]);\n }\n\n $results->execute();\n $results = $results->fetchAll(PDO::FETCH_ASSOC);\n\n foreach ($results as $result) {\n $item = new $class($result);\n $items[] = $item;\n }\n\n return $items;\n }" ]
[ "0.6520121", "0.6508342", "0.63534254", "0.62776273", "0.6250812", "0.61735606", "0.6163817", "0.6150729", "0.6125495", "0.60982955", "0.6087403", "0.6024444", "0.6017857", "0.59880203", "0.5967855", "0.59428644", "0.59368217", "0.59330213", "0.5927995", "0.5907822", "0.5898228", "0.58856934", "0.58737075", "0.5845975", "0.5834721", "0.5819828", "0.58164155", "0.5810603", "0.58035064", "0.58000696" ]
0.77869916
0
Set the defaults for a new model
public function setDefaults();
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "private final function _setDefaults() {\n\t\tforeach ( $this->getModel() as $property => $definition ) {\n\t\t\tif ( !property_exists($this, $property) ) {\n\t\t\t\t$this->$property = isset($definition->default) ? $definition->default : null;\n\t\t\t}\n\t\t} // foreach\n\t}", "public function setDefaults() {\n if (null === $this->getStatus()) {\n $this->setStatus(self::STATUS_NEW);\n }\n if (null === $this->getCreationDate()) {\n $this->setCreationDate(Util::getCurrentDate());\n }\n }", "protected function initDefaultValues()\n {\n parent::initDefaultValues();\n\n $this\n ->attributes([])\n ->permissions([])\n ;\n }", "protected function initialiseDefaultValues()\n {\n\n }", "public function getDefaultModel();", "public static function SetDefaults() {\n\t\t$defaults = self::GetAllDefaults();\n\t\tself::$Data = $defaults;\n\t\treturn self::Save();\n\t}", "abstract protected function defaults();", "abstract protected function defaults();", "public function applyDefaultValues()\n {\n $this->keahlian_braille = '0';\n $this->keahlian_bhs_isyarat = '0';\n $this->create_date = '2021-06-07 11:49:57';\n $this->last_update = '2021-06-07 11:49:57';\n $this->last_sync = '1901-01-01 00:00:00';\n }", "public function applyDefaultValues()\n {\n $this->create_date = '2020-04-16 09:40:03';\n $this->last_update = '2020-04-16 09:40:03';\n $this->last_sync = '1901-01-01 00:00:00';\n }", "protected function setDefaultValues()\n {\n $this->setFieldValue(self::FIELD_CREATED, time());\n $this->setFieldValue(self::FIELD_CREATED_BY, DAuthorisationManager::getUser());\n }", "public function setNewModel();", "protected function setDefaultValues()\n {\n parent::setDefaultValues();\n //$this->siteId = 0;\n }", "abstract protected function getDefaultModelObject();", "public function applyDefaultValues()\n\t{\n\t\t$this->broker_type = 'R';\n\t\t$this->is_name_different = 'N';\n\t\t$this->is_address_different = 'N';\n\t\t$this->new_broker_type = 'R';\n\t\t$this->new_is_name_different = 'N';\n\t\t$this->new_is_address_different = 'N';\n\t}", "protected function setDefaultValues()\n\t{\n\t\tparent::setDefaultValues();\n\t\t$this->format = \"default\";\n\t}", "public function applyDefaultValues()\n\t{\n\t\t$this->item_type = 'dokeos_document';\n\t\t$this->min_score = 0;\n\t\t$this->max_score = 100;\n\t\t$this->parent_item_id = 0;\n\t\t$this->previous_item_id = 0;\n\t\t$this->next_item_id = 0;\n\t\t$this->display_order = 0;\n\t\t$this->max_time_allowed = '';\n\t}", "protected function fillDefaultAttributes()\n {\n foreach ($this->defaultAttributes as $name)\n {\n if (! in_array($name, $this->getFillable())) {\n continue;\n }\n\n $this->setAttribute(\n $name, config(\"przelewy24.$name\")\n );\n }\n }", "public function applyDefaultValues()\n {\n $this->guru_pengganti = '0';\n $this->tendik_lainnya = '0';\n $this->last_sync = '1901-01-01 00:00:00';\n }", "function _setDefaults()\n {\n /* Update defaults. */\n $this->task_id = $this->id;\n $this->year = SessionDataBean::getSchoolYear();\n $this->datefrom = date('d.m.Y');\n $this->dateto = date('d.m.Y');\n /* And reflect these changes in $this->rs */\n $this->_update_rs();\n }", "public function applyDefaultValues()\n {\n $this->a_pernah_paud = '0';\n $this->a_pernah_tk = '0';\n $this->create_date = '2021-06-07 11:49:57';\n $this->last_update = '2021-06-07 11:49:57';\n $this->last_sync = '1901-01-01 00:00:00';\n }", "protected function updateDefaultsFromObject()\n {\n // Add the virtual values before the native values\n // because the values get filtered by ullGeneratorForm::updateDefaultsFromObject()\n // and the filtering should also apply to virtual values\n $this->setDefaults(array_merge($this->getDefaults(), \n $this->object->getVirtualValuesAsArray()));\n\n parent::updateDefaultsFromObject(); \n\n // What does this here?\n if (!$this->getDefault('effort_date'))\n {\n $this->setDefault('effort_date', date('Y-m-d')); \n } \n }", "protected function setDefaultValues()\n {\n parent::setDefaultValues();\n\n $this->mustGenerate = false;\n $this->source = null;\n $this->sourceId = null;\n $this->sourceVersion = null;\n $this->xmlTags = array();\n $this->semanticData = new wcmSemanticData();\n\n if ($this->workflow)\n $this->workflowState = $this->workflow->initialState;\n }", "protected function setDefaults(Model $model)\n {\n $values = array_merge($this->defaults, $this->attributes);\n foreach ($values as $field => $value) {\n $model->attributes[$field] = $value;\n }\n return $model;\n }", "public function __construct()\n {\n $this->setDefaults();\n }", "private function setUpDefaults()\n {\n// $this->defaults = Config::get('defaults'); ????????????????\n $defaults = Config::get('defaults');\n\n// foreach ($this->defaults as $key => $default) { ????????????\n foreach ($defaults as $key => $default) {\n $this->$key = $default;\n }\n }", "private function _setDefaults()\n {\n $this->setDefault('mysql_server', \t'localhost');\n $this->setDefault('mysql_username', 'root');\n $this->setDefault('mysql_dbname', \t'piwam');\n }", "function _setDefaults()\n {\n $this->id = $this->rs['id'] = 0;\n $this->type = $this->rs['type'] = 0;\n $this->parent = $this->rs['parent'] = 0;\n $this->title = $this->rs['title'] = \"\";\n $this->authorid = $this->rs['authorid'] = 0;\n $this->abstract = $this->rs['abstract'] = \"\";\n $this->text = $this->rs['text'] = \"\";\n $this->position = $this->rs['position'] = 0;\n $this->activefrom = $this->rs['activefrom'] = 0;\n $this->activeto = $this->rs['activeto'] = 0;\n $this->returntoparent = $this->rs['returntoparent'] = 0;\n }", "public function loadDefault($model)\n {\n $model->participants_compete = 4;\n $model->participants_advance = 2;\n $model->stage_type = 0;\n $model->fs_de_grand_finals = 0;\n return $model;\n }", "abstract protected function fillDefaults();" ]
[ "0.74411976", "0.6989938", "0.69537324", "0.6939588", "0.68782085", "0.68294567", "0.6817531", "0.6817531", "0.6779149", "0.6725043", "0.6722728", "0.6719833", "0.6674411", "0.6663808", "0.66552925", "0.6624435", "0.6623916", "0.66165215", "0.6609264", "0.65691996", "0.65623814", "0.6560677", "0.6559774", "0.6518005", "0.65174043", "0.6509608", "0.6507721", "0.6492647", "0.6486953", "0.6481976" ]
0.74732345
1
Order collection by a given column
public function orderBy($column, $direction = 'asc');
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function orderAsc($column) {\n $args = func_get_args();\n return $this->order($args, 'ASC');\n }", "public function orderBy($column, $direction = 'ASC');", "public function orderBy(string $column, bool $ascent = true): Collection\n {\n $this->orders[] = [$this->db->resolveColumnName($column), $ascent];\n return $this;\n }", "public function queryAllOrderBy($orderColumn);", "public function queryAllOrderBy($orderColumn);", "public function queryAllOrderBy($orderColumn);", "public function queryAllOrderBy($orderColumn);", "public function queryAllOrderBy($orderColumn);", "public function queryAllOrderBy($orderColumn);", "public function queryAllOrderBy($orderColumn);", "public function queryAllOrderBy($orderColumn);", "public function queryAllOrderBy($orderColumn);", "public function queryAllOrderBy($orderColumn);", "public function queryAllOrderBy($orderColumn);", "public function queryAllOrderBy($orderColumn);", "public function queryAllOrderBy($orderColumn);", "public function queryAllOrderBy($orderColumn);", "public function queryAllOrderBy($orderColumn);", "public function queryAllOrderBy($orderColumn);", "public function queryAllOrderBy($orderColumn);", "public function queryAllOrderBy($orderColumn);", "public function queryAllOrderBy($orderColumn);", "public function queryAllOrderBy($orderColumn);", "public function queryAllOrderBy($orderColumn);", "public function queryAllOrderBy($orderColumn);", "public function order($columns);", "public function add_orderby($column, $prefix = false);", "protected function sort()\n {\n $column = $this->columns[$this->request->get(\"order\")[0][\"column\"]];\n $direction = $this->request->get(\"order\")[0][\"dir\"];\n\n if ($column->orderable) {\n $this->query()->orderBy($column->name, $direction);\n }\n }", "public function orderBy(string $column)\n {\n if (!$this->options->get('order.status') || !$this->columns->{$column} || !$this->columns->{$column}->orderable) return;\n\n $this->setOrder($column, 'asc');\n $this->getFreshRecords(true);\n }", "public function orderBy($column) {\n\t\tif (!GlideUtil::isValidColumn($column)) throw new GlideRecordException(\"Invalid column name to order by: $order_by\");\n\t\t\n\t\t$this->_queries[] = \"ORDERBY$column\";\n\t}" ]
[ "0.726964", "0.7260479", "0.72000206", "0.70897025", "0.70897025", "0.70897025", "0.70897025", "0.70897025", "0.70897025", "0.70897025", "0.70897025", "0.70897025", "0.70897025", "0.70897025", "0.70897025", "0.70897025", "0.70897025", "0.70897025", "0.70897025", "0.70897025", "0.70897025", "0.70897025", "0.70897025", "0.70897025", "0.70897025", "0.68608665", "0.6836312", "0.677011", "0.66413194", "0.66156876" ]
0.72782487
0
getting the latest products
public static function getLatestShop() { return self::where('new_product','1')->get(); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function latest() {\n\t $product_ids = Set::extract(\n '/ProductsCategory/product_id',\n $this->ProductsCategory->find('all', array(\n 'conditions' => array('Category.is_published' => true),\n 'contain' => array('Category.is_published'),\n 'fields' => array('product_id')\n ))\n );\n $products = $this->find('all', array(\n 'contain' => array(\n 'ProductInfo',\n 'ProductRating' => array(\n 'Rating' => array('fields' => array('title', 'icon_path')),\n 'fields' => array('total_user', 'point', 'id', 'average', 'product_id', 'rating_id')\n ),\n 'ProductService' => array(\n 'Service' => array('fields' => array('title', 'icon','icon_dir')),\n 'fields' => array('id')\n )\n ),\n 'conditions' => array(\n 'Product.id' => array_unique($product_ids),\n 'Product.is_published' => true,\n 'Product.parent_id' => null\n ),\n 'fields' => array(\n 'Product.title', 'Product.slug'\n ),\n 'limit' => 3,\n 'order' => 'Product.created DESC',\n ));\n return $products;\n }", "public function getLatestProducts() {\n $sql = \"SELECT *\n FROM `{$this->tableProducts}`\n ORDER BY `id` DESC\n LIMIT 18\";\n return $this->Db->fetchAll($sql);\n }", "protected function newestProducts()\n {\n try {\n $collection = Mage::getModel('catalog/product')\n ->getCollection()\n ->addAttributeToSelect('*')\n ->addFieldToFilter('visibility', Mage_Catalog_Model_Product_Visibility::VISIBILITY_BOTH)\n ->addAttributeToSort('created_at', 'desc');\n Mage::getSingleton('cataloginventory/stock')->addInStockFilterToCollection($collection);\n\n $select = $collection->getSelect();\n $select->limit(24);\n\n return $collection;\n } catch (Exception $e) {\n Mage::throwException($e);\n }\n }", "public function get_newest_products()\n {\n return DB::select()\n ->from('products')\n ->order_by('id', 'DESC')\n ->where('is_discount', '=', 0)\n ->limit(6)\n ->as_object()\n ->execute();\n }", "public function actionGetrecentproduct() {\r\n if (isset(Yii::$app->user->identity->id)) {\r\n if (isset(Yii::$app->session['temp_user_product'])) {\r\n $models = RecentlyViewed::find()->where(['session_id' => Yii::$app->session['temp_user_product']])->all();\r\n\r\n foreach ($models as $msd) {\r\n $data = RecentlyViewed::find()->where(['product_id' => $msd->product_id, 'user_id' => Yii::$app->user->identity->id])->one();\r\n if (empty($data)) {\r\n $msd->user_id = Yii::$app->user->identity->id;\r\n $msd->session_id = '';\r\n $msd->save();\r\n } else {\r\n $data->date = $msd->date;\r\n if ($data->save()) {\r\n $msd->delete();\r\n }\r\n }\r\n }\r\n unset(Yii::$app->session['temp_user_product']);\r\n }\r\n }\r\n }", "function getThreeNewFeedProducts()\n {\n $sql=self::$connection->prepare(\"SELECT * FROM products order by products.created_at desc limit 3\");\n $sql->execute();//return an object\n $items = array();\n $items = $sql->get_result()->fetch_all(MYSQLI_ASSOC);\n return $items; //return an array\n }", "public function getNewestList()\n {\n $pdo = DatabaseModel::getConnection();\n\n $sql = \"SELECT `name`, `photo`, `id` FROM `products` WHERE `custom` = 0 ORDER BY `id` DESC LIMIT 4 \";\n $query = $pdo->query($sql);\n $newest = $query->fetchAll();\n\n return $newest;\n }", "public function getNewProducts()\n {\n $product = Product::where('new', 1)\n ->orderBy('created_at', 'DESC')\n ->latest()->paginate(10);\n return response()->json($product);\n }", "public function index()\n {\n if(Auth::user()->user_type == 1) {\n return redirect()->route('payment.index');\n }\n\n // consider created_at is the field you want to query on the model called News\n $date = new Carbon; // DateTime string will be 2014-04-03 13:57:34\n\n $date->subWeek(); // or $date->subDays(7), 2014-03-27 13:58:25\n\n // get 7 days old\n $products = Product::where([['created_at', '>', $date->toDateTimeString() ], ['status', 1]])->get();\n $productArr = [];\n $x = 0;\n $highest = 0;\n foreach ($products as $row) {\n $productImages = ProductImage::where('product_id', $row->id)->get();\n foreach ($productImages as $productImage) {\n if ($highest < $productImage->id) {\n $highest = $productImage->id;\n }\n }\n $thumbnail = ProductImage::find($highest);\n\n /*$productArr[$x++] = [\n 'id' => $row->id,\n 'product_id' => $row->product_id,\n 'user_id' => $row->user_id,\n 'name' => $row->name,\n 'price' => $row->price,\n 'color' => $row->color,\n 'style' => $row->style,\n 'brand' => $row->brand,\n 'series' => $row->series,\n 'denomination' => $row->denomination,\n 'piston' => $row->piston,\n 'cylinder' => $row->cylinder,\n 'fuel' => $row->fuel,\n 'milage' => $row->milage,\n 'year' => $row->year,\n 'duration' => date('M d, Y', strtotime($row->duration)),\n 'duration2' => $row->duration,\n 'status' => $row->status,\n 'thumbnail' => $thumbnail->image,\n 'created_at' => date('M d, Y', strtotime($row->created_at))\n ];*/\n\n // get the highest bid\n $bid = Bid::where('product_id', $row->id)->get();\n // echo $bid->max('bid');\n $max = Bid::where([['product_id', $row->id], ['bid', $bid->max('bid')]])->orderBy('id', 'asc')->get();\n\n // print_r($max);\n if($max->count() > 0) {\n foreach ($max as $d) {\n $productArr[$x++] = [\n 'id' => $row->id,\n 'product_id' => $row->product_id,\n 'user_id' => $row->user_id,\n 'name' => $row->name,\n 'price' => $row->price,\n 'color' => $row->color,\n 'style' => $row->style,\n 'brand' => $row->brand,\n 'series' => $row->series,\n 'denomination' => $row->denomination,\n 'piston' => $row->piston,\n 'cylinder' => $row->cylinder,\n 'fuel' => $row->fuel,\n 'milage' => $row->milage,\n 'year' => $row->year,\n 'duration' => date('M d, Y', strtotime($row->duration)),\n 'duration2' => $row->duration,\n 'status' => $row->status,\n 'thumbnail' => empty($thumbnail) == true ? '':$thumbnail->image,\n 'created_at' => date('M d, Y', strtotime($row->created_at)),\n 'h_bidder_id' => $d->user_id,\n 'h_bidder' => $d->user->firstname. ' ' .$d->user->middlename. ' ' .$d->user->lastname,\n 'h_bid' => $d->bid\n ];\n break;\n }\n } else {\n $productArr[$x++] = [\n 'id' => $row->id,\n 'product_id' => $row->product_id,\n 'user_id' => $row->user_id,\n 'name' => $row->name,\n 'price' => $row->price,\n 'color' => $row->color,\n 'style' => $row->style,\n 'brand' => $row->brand,\n 'series' => $row->series,\n 'denomination' => $row->denomination,\n 'piston' => $row->piston,\n 'cylinder' => $row->cylinder,\n 'fuel' => $row->fuel,\n 'milage' => $row->milage,\n 'year' => $row->year,\n 'duration' => date('M d, Y', strtotime($row->duration)),\n 'duration2' => $row->duration,\n 'status' => $row->status,\n 'thumbnail' => empty($thumbnail) == true ? '':$thumbnail->image,\n 'created_at' => date('M d, Y', strtotime($row->created_at)),\n 'h_bidder_id' => 'none',\n 'h_bidder' => 'none',\n 'h_bid' => 'none'\n ];\n }\n // -------------------------\n\n // reset highest\n $highest = 0;\n }\n\n $products = json_decode(json_encode($productArr));\n // endddddddd\n\n // get all\n $allProducts = Product::where('status', 1)->get();\n $productArr = [];\n $x = 0;\n $highest = 0;\n foreach ($allProducts as $row) {\n $productImages = ProductImage::where('product_id', $row->id)->get();\n foreach ($productImages as $productImage) {\n if ($highest < $productImage->id) {\n $highest = $productImage->id;\n }\n }\n $thumbnail = ProductImage::find($highest);\n\n /*$productArr[$x++] = [\n 'id' => $row->id,\n 'product_id' => $row->product_id,\n 'user_id' => $row->user_id,\n 'name' => $row->name,\n 'price' => $row->price,\n 'color' => $row->color,\n 'style' => $row->style,\n 'brand' => $row->brand,\n 'series' => $row->series,\n 'denomination' => $row->denomination,\n 'piston' => $row->piston,\n 'cylinder' => $row->cylinder,\n 'fuel' => $row->fuel,\n 'milage' => $row->milage,\n 'year' => $row->year,\n 'duration2' => $row->duration,\n 'duration' => date('M d, Y', strtotime($row->duration)),\n 'status' => $row->status,\n 'thumbnail' => $thumbnail->image,\n 'created_at' => date('M d, Y', strtotime($row->created_at))\n ];*/\n\n // get the highest bid\n $bid = Bid::where('product_id', $row->id)->get();\n // echo $bid->max('bid');\n $max = Bid::where([['product_id', $row->id], ['bid', $bid->max('bid')]])->orderBy('id', 'asc')->get();\n\n // print_r($max);\n if($max->count() > 0) {\n foreach ($max as $d) {\n $productArr[$x++] = [\n 'id' => $row->id,\n 'product_id' => $row->product_id,\n 'user_id' => $row->user_id,\n 'name' => $row->name,\n 'price' => $row->price,\n 'color' => $row->color,\n 'style' => $row->style,\n 'brand' => $row->brand,\n 'series' => $row->series,\n 'denomination' => $row->denomination,\n 'piston' => $row->piston,\n 'cylinder' => $row->cylinder,\n 'fuel' => $row->fuel,\n 'milage' => $row->milage,\n 'year' => $row->year,\n 'duration' => date('M d, Y', strtotime($row->duration)),\n 'duration2' => $row->duration,\n 'status' => $row->status,\n 'thumbnail' => empty($thumbnail) == true ? '':$thumbnail->image,\n 'created_at' => date('M d, Y', strtotime($row->created_at)),\n 'h_bidder_id' => $d->user_id,\n 'h_bidder' => $d->user->firstname. ' ' .$d->user->middlename. ' ' .$d->user->lastname,\n 'h_bid' => $d->bid\n ];\n break;\n }\n } else {\n $productArr[$x++] = [\n 'id' => $row->id,\n 'product_id' => $row->product_id,\n 'user_id' => $row->user_id,\n 'name' => $row->name,\n 'price' => $row->price,\n 'color' => $row->color,\n 'style' => $row->style,\n 'brand' => $row->brand,\n 'series' => $row->series,\n 'denomination' => $row->denomination,\n 'piston' => $row->piston,\n 'cylinder' => $row->cylinder,\n 'fuel' => $row->fuel,\n 'milage' => $row->milage,\n 'year' => $row->year,\n 'duration' => date('M d, Y', strtotime($row->duration)),\n 'duration2' => $row->duration,\n 'status' => $row->status,\n 'thumbnail' => empty($thumbnail) == true ? '':$thumbnail->image,\n 'created_at' => date('M d, Y', strtotime($row->created_at)),\n 'h_bidder_id' => 'none',\n 'h_bidder' => 'none',\n 'h_bid' => 'none'\n ];\n }\n // -------------------------\n\n // reset highest\n $highest = 0;\n }\n\n $allProducts = json_decode(json_encode($productArr));\n // endddd\n\n $chatniAdmin = AdminUserChat::where([['to', Auth::user()->id], ['status', 0]])->orderBy('created_at', 'asc')->get();\n\n $today = date(\"Y-m-d\");\n\n // get inbox notif\n $inboxNotif = Inbox::where([['status', 0], ['user_id', Auth::user()->id]])->get();\n\n // get reported\n $reports = Report::all();\n $reportArr = [];\n foreach ($reports as $row) {\n if (!in_array($row->reported, $reportArr)) {\n array_push($reportArr, $row->reported);\n }\n }\n\n return view('home')\n ->with('pageTitle', 'Home')\n ->with('inboxNotif', $inboxNotif)\n ->with('reportArr', $reportArr)\n ->with('today', $today)\n ->with('newlyAddedProducts', $products)\n ->with('chatniAdmin', $chatniAdmin)\n ->with('allProducts', $allProducts);\n }", "public function latest();", "protected function latestPostProcessing($products) \r\n\t{\r\n\t\t// get the prices seperately but maintain order to combine the results\r\n\t\t$prices = $this->services->getCrawler()->filter('#product-list .description')->each(function ($node, $i) {\r\n\r\n\t\t\t// create a new crawler for the product html and create a new entity for it\r\n\t\t\t$description = new Crawler($node);\r\n\r\n\t\t\t$price = explode('£', $description->filter('span.price')->text());\r\n\t\t\t$price = str_replace(',', '', end($price));\r\n\r\n\t\t\treturn $price;\r\n\t\t});\r\n\r\n\t\t// combine prices and products\r\n\t\tfor ($i=0; $i < count($prices); $i++) { \r\n\t\t\t$products[$i]->setNow($prices[$i]);\r\n\t\t}\r\n\t}", "public function getNewProducts()\n {\n $count = core()->getConfigData('catalog.products.homepage.no_of_new_product_homepage');\n\n $results = app(ProductFlatRepository::class)->scopeQuery(function ($query) {\n $channel = core()->getRequestedChannelCode();\n\n $locale = core()->getRequestedLocaleCode();\n\n return $query->distinct()\n ->addSelect('product_flat.*')\n ->where('product_flat.status', 1)\n ->where('product_flat.visible_individually', 1)\n ->where('product_flat.new', 1)\n ->where('product_flat.channel', $channel)\n ->where('product_flat.locale', $locale)\n ->inRandomOrder();\n })->paginate($count ? $count : 4);\n\n return $results;\n }", "function getLastOrder(){\n global $con;\n $stmt1 = $con->prepare(\"SELECT requseteden.ProductID ,requseteden.DateOrder, productsen.ProductID,\n productsen.ProductNameEn FROM requseteden , productsen WHERE requseteden.ProductID = productsen.ProductID\n ORDER BY RequestID DESC LIMIT 3\");\n $stmt1 ->execute();\n return $stmt1->fetchAll();\n }", "public function get_products()\n {\n $this->db->order_by('p.updated_on','desc');\n $this->db->order_by('p.created_on','desc');\n $this->db->select('p.*,c.name as category');\n $this->db->join('ecom_category c','c.id = p.category','left');\n return $this->db->get_where(''.$this->table.' p',array('p.status !=' => '0'))->result();\n }", "private function get_products_to_update( $num ) {\n\t\t// Get a limited number of products.\n\t\t// Get anything that we didn't update yet.\n\t\t// And anything older than 12h.\n\t\t$args = [\n\t\t\t'post_type' => 'product',\n\t\t\t'post_status' => 'publish',\n\t\t\t'numberposts' => (int) $num,\n\t\t\t'fields' => 'ids',\n\t\t\t'meta_query' => [\n\t\t\t\t'last_updated' => [\n\t\t\t\t\t'key' => '_sales_data_updated',\n\t\t\t\t\t'compare' => 'BETWEEN',\n\t\t\t\t\t'value' => [ 0, time() - HOUR_IN_SECONDS * 2 ],\n\t\t\t\t\t'type' => 'numeric',\n\t\t\t\t],\n\t\t\t],\n\t\t\t'orderby' => [ 'last_updated' => 'ASC' ],\n\t\t];\n\n\t\treturn (array) get_posts( $args );\n\t}", "public function getUpdatedProducts($date)\n {\n return $this->sendRequest('product/updated_since/' . $date . '?&stock=1&stock=2&stock=3&stock=4&stock=5&stock=6&stock=7&stock=8&stock=9&stock=10');\n }", "public function getRecentProducts() {\n $arr_products = array();\n $products = Mage::getModel(\"recentproducts/recentproducts\")->getRecentProducts();\n return $products;\n var_dump($products);die();\n \n//echo \"<pre>\";\n //print_r($products);\n //echo \"</pre>\";\n \n // foreach ($products as $product) {\n// $price = Mage::helper('core')->currency($product->getPrice());\n// $cart_url = Mage::helper('checkout/cart')->getAddUrl($product);\n// $arr_products[] = array(\n// 'id' => $product->getId(),\n// 'name' => $product->getName(),\n// 'url' => $product->getProductUrl(),\n// 'price' => $price,\n// 'img' => $product->getImageUrl(),\n// 'addToCart' => $cart_url\n// );\n// }\n// \n// return $arr_products;\n//{{block type=\"recentproducts/recentproducts\" name=\"recentproducts_recentproducts\" template=\"recentproducts/recentproducts.phtml\"}}\n }", "public function run()\n {\n $date = date('Y-m-d H:i:s');\n $products = [\n [\n 'id' => 1,\n 'product' => 'Witcher 3 - Wild Hunt',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'19-05-2015',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 2,\n 'product' => 'Red Dead Redemption II',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'26-10-2019',\n 'updated_at' => $date\n ],\n \n [\n 'id' => 3,\n 'product' => 'Halo: The Master Chief Collection',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'03-12-2019',\n 'updated_at' => $date\n ],\n \n [\n 'id' => 4,\n 'product' => 'Grand Theft Auto V',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'17-09-2013',\n 'updated_at' => $date\n ],\n \n [\n 'id' => 5,\n 'product' => 'Bioshock Infinite',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'26-03-2013',\n 'updated_at' => $date\n ],\n \n [\n 'id' => 6,\n 'product' => 'Half-Life: Alyx ',\n 'status' => 'pre order',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'03-2020',\n 'updated_at' => $date\n ],\n \n [\n 'id' => 7,\n 'product' => 'Dirt 3',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'24-05-2011',\n 'updated_at' => $date\n ],\n \n [\n 'id' => 8,\n 'product' => 'Dirt 4',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'06-06-2017',\n 'updated_at' => $date\n ],\n \n [\n 'id' => 9,\n 'product' => 'DOOM',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'13-05-2016',\n 'updated_at' => $date\n ],\n \n [\n 'id' => 10,\n 'product' => 'Call of Duty Modern Warfare',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'25-10-2019',\n 'updated_at' => $date\n ],\n \n [\n 'id' => 11,\n 'product' => 'FIFA 20',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'24-09-2019',\n 'updated_at' => $date\n ],\n \n [\n 'id' => 12,\n 'product' => 'Microsoft Flight Simulator',\n 'status' => 'soon',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'2020',\n 'updated_at' => $date\n ],\n \n [\n 'id' => 13,\n 'product' => 'Forza 4 Horizon',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'28-09-2019',\n 'updated_at' => $date\n ],\n \n [\n 'id' => 14,\n 'product' => 'Rising Storm 2: Vietnam',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'30-05-2017',\n 'updated_at' => $date\n ],\n \n [\n 'id' => 15,\n 'product' => 'Star Wars: Jedi Fallen Order',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'15-11-2019',\n 'updated_at' => $date\n ],\n \n [\n 'id' => 16,\n 'product' => 'Need for Speed Heat',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'08-11-2019',\n 'updated_at' => $date\n ],\n \n [\n 'id' => 17,\n 'product' => 'Boorderlands 3',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'13-09-2019',\n 'updated_at' => $date\n ],\n \n [\n 'id' => 18,\n 'product' => 'Spec Ops: The Line',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'26-06-2012',\n 'updated_at' => $date\n ],\n \n [\n 'id' => 19,\n 'product' => 'Max Payne 3',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'15-05-2012',\n 'updated_at' => $date\n ],\n \n [\n 'id' => 20,\n 'product' => 'Resident Evil 2',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'11-01-2019',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 21,\n 'product' => 'Overwatch',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'24-05-2016',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 22,\n 'product' => 'Assassins Creed Odyssey',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'02-10-2018',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 23,\n 'product' => 'Watch Dogs Legion',\n 'status' => 'pre order',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'06-03-2020',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 24,\n 'product' => 'DOOM Eternal',\n 'status' => 'pre order',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'20-03-2020',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 25,\n 'product' => 'Ace Combat 7: Skies Unknown',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'18-01-2019',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 26,\n 'product' => 'Destroy All Humans!',\n 'status' => 'pre order',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'2020',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 27,\n 'product' => 'Beyond Good and Evil 2',\n 'status' => 'soon',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //NULL,\n 'updated_at' => NULL\n ],\n\n [\n 'id' => 28,\n 'product' => 'Alien Isolation',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'07-10-2014',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 29,\n 'product' => 'God of War',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'20-04-2018',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 30,\n 'product' => 'Gran Turismo Sport',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'17-10-2017',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 31,\n 'product' => 'Firewatch',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'09-02-2016',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 32,\n 'product' => 'Call of Duty Black Ops III',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'06-11-2015',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 33,\n 'product' => 'Call of Duty Black Ops 4',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'03-08-2018',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 34,\n 'product' => 'Killing Floor 2',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'18-11-2016',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 35,\n 'product' => 'Rocket League',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'07-06-2015',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 36,\n 'product' => 'Counter Strike: Global Offensive',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'21-08-2012',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 37,\n 'product' => 'PES 2020',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'30-06-2019',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 38,\n 'product' => 'Battlefield 5',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'09-11-2019',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 39,\n 'product' => 'Battlefield 1',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'21-10-2016',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 40,\n 'product' => 'Minecraft',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'17-05-2009',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 41,\n 'product' => 'F1 2019',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'25-06-2019',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 42,\n 'product' => 'Burnout Paradise',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'22-05-2008',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 43,\n 'product' => 'Project CARS 2',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //'21-09-2019',\n 'updated_at' => $date\n ],\n\n [\n 'id' => 44,\n 'product' => 'Asseto Corsa Competizione',\n 'status' => 'available',\n 'description' => \"Something\", // NULL,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n ],\n\n ];\n\n $product_has_genres = [\n\n [\n 'product_id' => 1,\n 'genre_id' => 10,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 1,\n 'genre_id' => 27,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n \n [\n 'product_id' => 1,\n 'genre_id' => 29,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 1,\n 'genre_id' => 30,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 2,\n 'genre_id' => 2,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n [\n 'product_id' => 2,\n 'genre_id' => 19,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 3,\n 'genre_id' => 2,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 3,\n 'genre_id' => 19,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 3,\n 'genre_id' => 21,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 3,\n 'genre_id' => 28,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 4,\n 'genre_id' => 19,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 4,\n 'genre_id' => 27,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 4,\n 'genre_id' => 28,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 4,\n 'genre_id' => 29,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 4,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 5,\n 'genre_id' => 19,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 5,\n 'genre_id' => 21,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 5,\n 'genre_id' => 28,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 5,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 6,\n 'genre_id' => 2,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 6,\n 'genre_id' => 19,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 6,\n 'genre_id' => 19,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 6,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 7,\n 'genre_id' => 13,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 7,\n 'genre_id' => 15,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 7,\n 'genre_id' => 16,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 8,\n 'genre_id' => 13,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 8,\n 'genre_id' => 15,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 8,\n 'genre_id' => 16,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 9,\n 'genre_id' => 2,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 9,\n 'genre_id' => 21,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 9,\n 'genre_id' => 28,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 9,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 10,\n 'genre_id' => 2,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 10,\n 'genre_id' => 21,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 10,\n 'genre_id' => 28,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 10,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 11,\n 'genre_id' => 16,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 12,\n 'genre_id' => 13,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 12,\n 'genre_id' => 20,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 12,\n 'genre_id' => 29,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 13,\n 'genre_id' => 15,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 13,\n 'genre_id' => 20,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 13,\n 'genre_id' => 29,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 14,\n 'genre_id' => 2,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 14,\n 'genre_id' => 13,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 14,\n 'genre_id' => 20,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 14,\n 'genre_id' => 21,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 14,\n 'genre_id' => 28,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n\n [\n 'product_id' => 15,\n 'genre_id' => 19,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 15,\n 'genre_id' => 26,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 15,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 16,\n 'genre_id' => 15,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 16,\n 'genre_id' => 23,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 16,\n 'genre_id' => 29,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 17,\n 'genre_id' => 2,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 17,\n 'genre_id' => 10,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 17,\n 'genre_id' => 23,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 17,\n 'genre_id' => 28,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 17,\n 'genre_id' => 29,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 17,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 18,\n 'genre_id' => 2,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 18,\n 'genre_id' => 21,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 18,\n 'genre_id' => 27,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 18,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 19,\n 'genre_id' => 2,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 19,\n 'genre_id' => 21,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 19,\n 'genre_id' => 27,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 19,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 20,\n 'genre_id' => 2,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 20,\n 'genre_id' => 8,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 20,\n 'genre_id' => 21,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 20,\n 'genre_id' => 27,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 20,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 21,\n 'genre_id' => 2,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 21,\n 'genre_id' => 28,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 21,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 22,\n 'genre_id' => 26,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 22,\n 'genre_id' => 27,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 22,\n 'genre_id' => 29,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 22,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 23,\n 'genre_id' => 2,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 23,\n 'genre_id' => 29,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 23,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 24,\n 'genre_id' => 2,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 24,\n 'genre_id' => 21,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 24,\n 'genre_id' => 28,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 24,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 25,\n 'genre_id' => 23,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 25,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 25,\n 'genre_id' => 32,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 26,\n 'genre_id' => 2,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 26,\n 'genre_id' => 21,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 26,\n 'genre_id' => 27,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 26,\n 'genre_id' => 29,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 26,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 28,\n 'genre_id' => 2,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 28,\n 'genre_id' => 5,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 28,\n 'genre_id' => 8,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 28,\n 'genre_id' => 21,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 28,\n 'genre_id' => 27,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 28,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 29,\n 'genre_id' => 21,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 29,\n 'genre_id' => 26,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 29,\n 'genre_id' => 27,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 29,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 30,\n 'genre_id' => 13,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 30,\n 'genre_id' => 15,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 30,\n 'genre_id' => 16,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 31,\n 'genre_id' => 19,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 31,\n 'genre_id' => 28,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 31,\n 'genre_id' => 29,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 32,\n 'genre_id' => 2,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 32,\n 'genre_id' => 21,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 32,\n 'genre_id' => 28,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 32,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 33,\n 'genre_id' => 2,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 33,\n 'genre_id' => 6,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 33,\n 'genre_id' => 21,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 33,\n 'genre_id' => 28,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 33,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 34,\n 'genre_id' => 2,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 34,\n 'genre_id' => 8,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 34,\n 'genre_id' => 21,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 34,\n 'genre_id' => 28,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 34,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 35,\n 'genre_id' => 15,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 35,\n 'genre_id' => 16,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 36,\n 'genre_id' => 21,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 36,\n 'genre_id' => 28,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 36,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 37,\n 'genre_id' => 16,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n ],\n\n [\n 'product_id' => 38,\n 'genre_id' => 2,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 38,\n 'genre_id' => 21,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 38,\n 'genre_id' => 28,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 38,\n 'genre_id' => 31,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 39,\n 'genre_id' => 2,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 39,\n 'genre_id' => 21,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 39,\n 'genre_id' => 28,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 40,\n 'genre_id' => 5,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 40,\n 'genre_id' => 19,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 40,\n 'genre_id' => 28,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 40,\n 'genre_id' => 29,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 41,\n 'genre_id' => 13,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 41,\n 'genre_id' => 15,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 41,\n 'genre_id' => 16,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 42,\n 'genre_id' => 13,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 42,\n 'genre_id' => 15,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 42,\n 'genre_id' => 16,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 43,\n 'genre_id' => 13,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 43,\n 'genre_id' => 15,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 43,\n 'genre_id' => 16,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 44,\n 'genre_id' => 13,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 44,\n 'genre_id' => 15,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n\n [\n 'product_id' => 44,\n 'genre_id' => 16,\n 'created_at' => $date, //$date,\n 'updated_at' => $date\n\n ],\n ];\n\n DB::table('products')->insert($products);\n DB::table('product_has_genres')->insert($product_has_genres);\n }", "public function modelHotProducts2(){\n\t\t\t$conn = Connection::getInstance();\n\t\t\t$query = $conn->query(\"select * from products where hot=1 order by id desc limit 5,5\");\n\t\t\treturn $query->fetchAll();\n\t\t}", "public function modelHotProducts2(){\n\t\t\t$conn = Connection::getInstance();\n\t\t\t$query = $conn->query(\"select * from products where hot=1 order by id desc limit 5,5\");\n\t\t\treturn $query->fetchAll();\n\t\t}", "public function getProfileLatestRevision() {\n $query = \\DB::table(\\DB::raw(\"(SELECT * FROM quote_profiles_price_revision a WHERE created_at=(SELECT max(created_at) FROM quote_profiles_price_revision b WHERE a.quote_profile_id=b.quote_profile_id) ORDER BY quote_profile_id ASC )as ProfileRevision\"))\n ->join('quote_profiles', 'ProfileRevision.quote_profile_id', '=', 'quote_profiles.id')\n // ->join('invent_accessory','invent_price.accessory_code_id','=','invent_accessory.id')\n ->join('product_category', 'product_category.id', '=', 'quote_profiles.category_id')\n ->select('quote_profiles.id', 'name', 'color_type', 'profile_color', 'inventory_price', 'revised_price', 'effective_date', 'deleted', 'user', 'remarks', 'ProfileRevision.created_at')\n // ->orderBy('invent_accessory.id','asc')\n // ->whereNull('deleted')\n ->get();\n return $query;\n }", "private function getLastBuy($productIds)\n {\n \tif(count($productIds) === 0)\n \t\treturn array();\n \t$sql = \"\n\t\t\t\tSELECT\n\t\t\t\t\tLB.productId `id`,\n\t\t\t\t\tifnull(LB.unitPrice, '') lastbuyprice,\n\t\t\t\t\tifnull(LB.updated, '') lastrecdate \n\t\t\t\tFROM\n\t\t\t\t\t(\n\t\t\t\t\t\tSELECT DISTINCT\n\t\t\t\t\t\t\trec1.productId,\n\t\t\t\t\t\t\tDATE_FORMAT(rec1.updated, '%Y-%m-%d') updated,\n\t\t\t\t\t\t\trec1.unitPrice\n\t\t\t\t\t\tFROM\n\t\t\t\t\t\t\treceivingitem rec1,\n\t\t\t\t\t\t\t(\n\t\t\t\t\t\t\t\tSELECT\n\t\t\t\t\t\t\t\t\trec2.productId,\n\t\t\t\t\t\t\t\t\tmax(rec2.updated) `updated`\n\t\t\t\t\t\t\t\tFROM\n\t\t\t\t\t\t\t\t\treceivingitem rec2\n\t\t\t\t\t\t\t\tWHERE rec2.active = 1 and rec2.storeId = :storeId\n\t\t\t\t\t\t\t\tGROUP BY\n\t\t\t\t\t\t\t\t\trec2.productId\n\t\t\t\t\t\t\t) rec3\n\t\t\t\t\t\tWHERE\n\t\t\t\t\t\t\trec1.productId = rec3.productId\n\t\t\t\t\t\tAND rec1.updated = rec3.updated\n\t\t\t\t\t) LB\n\t\tWHERE LB.productId in (\" . implode(', ', $productIds) . \")\";\n\t\treturn Dao::getResultsNative($sql, array('storeId' => Core::getUser()->getStore()->getId()), PDO::FETCH_ASSOC);\n }", "public function getLatestAccessoryPrice() {\n // ->with('accessory')->get();\n // return $revisiondate;\n // $data=ProductPriceRevision:: with(['accessory'=>function($q){\n // $q->leftJoin('quote_product_price_revision', 'invent_accessory.id', '=', 'quote_product_price_revision.product_id')\n // ->select('invent_accessory.id', 'code', 'sl_detail', 'invent_price','revised_price','user','remark') ;\n // }])\n // ->where('product_id','<>','NULL')\n // ->whereNull('deleted')\n // // ->groupBy(['updated_at'])\n // //->select('updated_at')\n // //->lists('updated_at');\n // //->groupBy(DB::raw('DATE(updated_at)'))\n // // dd($data); \n // ->get();\n\n\n\n $revision = DB::table('invent_accessory')\n ->leftJoin('quote_product_price_revision', 'invent_accessory.id', '=', 'quote_product_price_revision.product_id')\n ->select('quote_product_price_revision.id', 'quote_product_price_revision.product_id', 'code', 'sl_detail', 'is_length', 'invent_price', 'revised_price', 'user', 'remark', 'updated_at','quote_product_price_revision.is_changed')\n ->where('product_id', '<>', 'NULL')\n ->whereNull('quote_product_price_revision.deleted')\n // $data->toArray();\n ->orderBy('updated_at', 'desc')\n //->first();\n ->get();\n $array = json_decode(json_encode($revision, true));\n $collection = collect($array);\n //dd($collection);\n $grouped = $collection->groupBy('updated_at');\n\n\n return $grouped;\n // return $revision; \n }", "public function getAllOrderProduct(){\r\n $query = \"SELECT * FROM `tbl_order` ORDER BY `date` DESC \";\r\n $result = $this->db->select($query);\r\n return $result;\r\n }", "public function getLastProduct($count)\n {\n $query = $this->createQueryBuilder('p')\n ->orderBy('p.id','DESC')\n ->setMaxResults($count)\n ->getQuery();\n \n return $query->getResult();\n }", "function getLatestInvoices($num) {\n return Invoice::orderBy('created_at','desc')->take($num)->get();\n }", "private function _getLastBuy($productIds)\n\t{\n\t\tif(count($productIds) === 0)\n\t\t\treturn array();\n\t\t$sql = \"\n\t\t\t\tSELECT\n\t\t\t\t\tLB.productId `proId`,\n\t\t\t\t\tifnull(LB.unitPrice, '') lastbuyprice,\n\t\t\t\t\tifnull(LB.updated, '') lastrecdate\n\t\t\t\tFROM\n\t\t\t\t\t(\n\t\t\t\t\t\tSELECT DISTINCT\n\t\t\t\t\t\t\trec1.productId,\n\t\t\t\t\t\t\tDATE_FORMAT(rec1.updated, '%Y-%m-%d') updated,\n\t\t\t\t\t\t\trec1.unitPrice\n\t\t\t\t\t\tFROM\n\t\t\t\t\t\t\treceivingitem rec1,\n\t\t\t\t\t\t\t(\n\t\t\t\t\t\t\t\tSELECT\n\t\t\t\t\t\t\t\t\trec2.productId,\n\t\t\t\t\t\t\t\t\tmax(rec2.updated) `updated`\n\t\t\t\t\t\t\t\tFROM\n\t\t\t\t\t\t\t\t\treceivingitem rec2\n\t\t\t\t\t\t\t\tWHERE rec2.active = 1 and rec2.storeId = ?\n\t\t\t\t\t\t\t\tGROUP BY\n\t\t\t\t\t\t\t\t\trec2.productId\n\t\t\t\t\t\t\t) rec3\n\t\t\t\t\t\tWHERE\n\t\t\t\t\t\t\trec1.productId = rec3.productId\n\t\t\t\t\t\tAND rec1.updated = rec3.updated\n\t\t\t\t\t) LB\n\t\tWHERE LB.productId in (\" . implode(', ', $productIds) . \")\";\n\t\treturn Dao::getResultsNative($sql, array(Core::getUser()->getStore()->getId()), PDO::FETCH_ASSOC);\n\t}", "public function getAllProduct()\n {\n $query = $this->createQueryBuilder('p')\n ->orderBy('p.id','DESC')\n ->getQuery();\n \n return $query->getResult();\n }", "function getProlist(){\n $db = new connect();\n $select = \"SELECT * FROM product ORDER BY ProId DESC\";\n $result = $db->getList($select);\n return $result;\n }", "function getLatestVersionsOfDB(){\n\t\t//Select row with max published_at value\n\t\t$abfrage = \"SELECT agb_version_id, agb_version.agb_source_id, text, MAX(version) AS version, published_at \n\t\t\t\t\t\t\t\t\t\t\tFROM agb_version\n\t\t\t\t\t\t\t\t\t\t\tLEFT JOIN agb_source ON agb_version.agb_source_id=agb_source.agb_source_id \n\t\t\t\t\t\t\t\t\t\t\tGROUP BY agb_source.agb_source_id\";\n\t\t\n\t\t$ergebnis = mysqli_query($this->mysqli, $abfrage);\n\n\t\treturn $this->sqlToAGBVersionObjectArray($ergebnis);\n\t}" ]
[ "0.7767688", "0.74439806", "0.7335676", "0.72367215", "0.70102555", "0.692116", "0.68554556", "0.6827951", "0.67004365", "0.66894096", "0.6665998", "0.65946406", "0.6558542", "0.6441657", "0.6417661", "0.6398999", "0.6369546", "0.6357846", "0.6277465", "0.6277465", "0.62688524", "0.6229776", "0.6189593", "0.61380225", "0.61369485", "0.6133546", "0.61056906", "0.60956", "0.60879827", "0.6075814" ]
0.7471696
1
exec("cmd /c taskkill /F /IM feedingdiarycomp.exe /T");
public function stopApplication() { //exec("cmd /c taskkill /F /IM feeding-digi-star.exe /T"); //exec("cmd /c taskkill /F /IM Ekopoint.Feeding.ReportControlling.exe /T"); //exec("cmd /c taskkill /F /IM Ekopoint.Feeding.Tasks.exe /T"); //exec("cmd /c taskkill /F /IM feeding-farm-server.exe /T"); exec("cmd /c taskkill /F /IM feeding.exe /T"); //exec("cmd /c taskkill /F /IM feeding-client.exe /T"); sleep(5); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "private function killWindows($force=false){\r\n\t\t$force = ($force ? \"/f\" : '' );\r\n\t\texec(\"taskkill $force /PID {$this->pid}\");\r\n\t}", "protected function stopStandalone() {\n\t\t\t\t$cmd = \"ps ax | grep \".escapeshellarg('SERVLET_LOCAL:'.$this->getConfig('servlet_port')).\" | grep -v grep\";\n $line = shell_exec($cmd);\n $pid = (int)$line;\n shell_exec('kill '.escapeshellarg($pid));\n\n // Wait till it's actually died\n sleep(5);\n }", "function proc_terminate ($process, $signal = 15) {}", "public function kill(): void {\n\t\t$this->terminate();\n\t}", "public function kill_process() {\n\t\tif ( ! $this->is_queue_empty() ) {\n\t\t\t$this->delete_all_batches();\n\t\t\twp_clear_scheduled_hook( $this->cron_hook_identifier );\n\t\t}\n\t}", "public function TearDown() {\n $forks = explode(PHP_EOL, exec('ps -C \\''.$this->command.'\\' -o pid='.$this->pid));\n foreach($forks as $fork) {\n if($fork != $this->pid) {\n //posix_kill($fork, SIGTERM);\n exec('kill '.$fork.' 2>&1 > /dev/null');\n }\n }\n }", "function CACHE_CLEAN_ALL() {\n $CI = loadCache();\n //Loading Helper for kill command\n $CI->load->helper('ffmpeg');\n $processes = $CI->cache->get('processes');\n if($processes && is_array($processes)) {\n foreach ($processes as $pid => $time) {\n $yesterday = strtotime('-1 days', time());\n echo \" \".$pid.\"<br/>\";\n if($yesterday > $time) { //if application been more than 24 hours\n\n FFMPEG_KILL_PROCESS($pid);\n\n unset($processes[$pid]);\n $CI->cache->save('processes', $processes, 90000); //save after updating\n }\n\n\n }\n }\n}", "public static function delete($name)\r\n {\r\n if (It::isLinux())\r\n {\r\n exec('crontab -l | grep -v '. $name .' | crontab -');\r\n }\r\n else if (It::isWindows())\r\n {\r\n exec('schtasks /delete /tn '. $name .' /f');\r\n }\r\n }", "function proc_close ($process) {}", "private function closeProcess() {\n foreach ($this->pipes as $pipe) {\n if (isset($pipe)) {\n @fclose($pipe);\n }\n }\n $this->pipes = array(null, null, null);\n if ($this->proc) {\n @proc_close($this->proc);\n $this->proc = null;\n }\n $this->stdin = null;\n\n unset($this->windowsStdoutTempFile);\n unset($this->windowsStderrTempFile);\n }", "public function consumersTerminate($pid) {\n $childpid = $this->getChildProcess($pid);\n if ($this->checkProcess($pid)) {\n exec(\"kill -9 $childpid\");\n }\n }", "function shutdown_searchd()\n\t{\n\t\tglobal $config;\n\n\t\tif ($config['fulltext_sphinx_autorun'])\n\t\t{\n\t\t\tif (!function_exists('exec'))\n\t\t\t{\n\t\t\t\tset_config('fulltext_sphinx_autorun', '0');\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\texec('killall -9 ' . SEARCHD_NAME . ' >> /dev/null 2>&1 &');\n\n\t\t\tif (file_exists($config['fulltext_sphinx_data_path'] . 'searchd.pid'))\n\t\t\t{\n\t\t\t\tunlink($config['fulltext_sphinx_data_path'] . 'searchd.pid');\n\t\t\t}\n\n\t\t\tsphinx_unlink_by_pattern($config['fulltext_sphinx_data_path'], '#^.*\\.spl$#');\n\t\t}\n\t}", "function stop()\n {\n $this->log(\"Cleaning up obsolete connections\");\n // Safer than processing in PHP:\n exec('/usr/bin/nmcli --pretty --fields UUID,TYPE con show | grep wifi | cut -c 1-36 | while read line; do nmcli con delete uuid $line; done');\n \n // Typically triggered by sigs\n $this->log(\"Closing down safely\");\n\n exit();\n }", "function bgexec($cmd)\n{\n if (substr(php_uname(), 0, 7) == \"Windows\")\n {\n //exec($cmd.\" >> /dev/null &\");\n exec($cmd);\n //pclose(popen(\"start \\\"bla\\\" \\\"\" . $exe . \"\\\" \" . escapeshellarg($args), \"r\")); \n }\n else\n {\n exec($cmd . \" > /dev/null &\");\n }\n}", "function killOtherPhpcron() {\n\n /* Abort Phpcron daemons - not nice*/\n //First try to stop nicely\n\tif(stopOtherPhpcron()){\n\t\n\treturn true;\n\t}\n\t\n \n\texec(\"ps -C php O p |grep 'phpcron.php.(*['--daemon'|'-D'].*'$|cut -d' ' -f1-4\",$output,$result_code);\n\n $i=0;\n //loop through processes and kill them\n while($i<=count($output[$i])-1) { //-1 is don't kill this process\n\t//Get rid of any spaces and make sure only have one element\n\t$output[$i]=trim($output[$i]);\n\t$output_array=explode(\" \", $output[$i]);\n\t$output[$i]=$output_array[0];\n\n //sendOutput(\"Output: Killing Phpcron daemon process $output[$i]\\r\\n\");\n\t\n exec(\"kill -9 $output[$i]\",$killoutput, $result_code);\n if ($result_code) {\n //sendOutput(\"Error: Can't Kill process $output[$i]\\r\\n\");\n return false;\n }\n\n \t$i++;\n }\n\n return !isotherPhpcrond();\n\n}", "function shutdown() {\n posix_kill(posix_getpid(), SIGKILL);\n}", "public function kill($force=false){\r\n\t\tif($this->pid){\r\n\t\t\tif($this->os == self::OS_WINDOWS ){\r\n\t\t\t\t$this->killWindows($force);\r\n\t\t\t}else{\r\n\t\t\t\t$this->killLinux($force);\r\n\t\t\t}\r\n\t\t}\r\n\t}", "private function killLinux($force=false){\r\n\t\t$force = ($force ? '-9' : '');\r\n\t\texec(\"kill $force {$this->pid} > /dev/null & echo $!\");\r\n\t}", "public static function close_ionic() {\n if (self::$ionicrunning) {\n fclose(self::$ionicrunning->pipes[1]);\n\n if (self::is_windows()) {\n // Using proc_terminate here does not work. It terminates the process but not any\n // other processes it might have launched. Instead, we need to use an OS-specific\n // mechanism to kill the process and children based on its pid.\n exec('taskkill /F /T /PID ' . self::$ionicrunning->pid);\n } else {\n // On Unix this actually works, although only due to the 'exec' command inserted\n // above.\n proc_terminate(self::$ionicrunning->process);\n }\n self::$ionicrunning = null;\n }\n }", "public function stop()\n {\n $this->driver->quit();\n\n $this->process->stop();\n }", "public function close(){\n if(is_resource($this->process)){\n proc_close($this->process);\n }\n }", "public function crystalTaskExecuteShutdown()\n {\n try {\n $crystalTask = $this->_crystalTasksTable->getByPK($this->_crystalTaskId);\n if (!$crystalTask instanceof CrystalTask) {\n throw new Exception();\n }\n\n $crystalTask->stateRunningToNotCompleted();\n $this->_crystalTasksBaseService->saveWithoutTransaction($crystalTask);\n } catch (Exception $e) {\n // no worries\n }\n\n // Hurray! Graceful exit!\n exit(0);\n }", "function kill_process($pid) {\n\t// get the variables needed for CGI request\n\tglobal $db;\n\t$u = $_SESSION['Username'];\n\t$mn = $_SESSION['current_machine'];\n\t$query = \"SELECT * FROM machines WHERE username='$u' and mname='$mn'\";\n\t$result = mysqli_query($db, $query);\n\t$row = mysqli_fetch_array($result, MYSQLI_ASSOC);\n\t$mh = $row['mhost'];\n\t$mu = $row['musername'];\n\t$mp = $row['mpassword'];\n\t// form CGI request\n\t$cgi_request = \"http://127.0.0.1/cgi-bin/ssh_kill.cgi?\";\n\t$cgi_request .= \"Host=$mh&&Username=$mu&&Password=$mp&&Pid=$pid\";\n\t$data = file_get_contents($cgi_request, 0);\n\tfor($i = 0; $i < strlen($data)-2; $i = $i + 1) {\n\t\tif($data[$i] == \"S\" && $data[$i+1] == \"u\" && $data[$i+2] == \"c\")\n\t\t\treturn 1;\n\t}\n\treturn 0;\n}", "function kill_properly (&$handle, &$pipes)\n{\n\t$status = proc_get_status ($handle);\n\n\t# proc_terminate kills the shell process, but won't kill a runaway infinite\n\t# loop. Get the child processes using ps, before killing the parent.\n\t$ppid = $status[\"pid\"];\n\t$pids = preg_split (\"/\\s+/\", trim (`ps -o pid --no-heading --ppid $ppid`));\n\n\t# if we dont close pipes, we can create deadlock, leaving zombie processes.\n\tforeach ($pipes as &$pipe) fclose ($pipe);\n\tproc_terminate ($handle);\n\tproc_close ($handle);\n\n\t// Not necessarily available.\n\tif (function_exists (\"posix_kill\"))\n\t{\n\t\tforeach ($pids as $pid)\n\t\t{\n\t\t\tif (is_numeric ($pid))\n\t\t\t\tposix_kill ($pid, 9);\n\t\t}\n\t}\n}", "public function shutdown ()\n {\n\n $this->shutdownDesktop();\n\n }", "public function cancel_process() {\n\t\tif ( ! $this->is_queue_empty() ) {\n\t\t\t$batch = $this->get_batch();\n\n\t\t\t$this->delete( $batch->key );\n\n\t\t\twp_clear_scheduled_hook( $this->healthcheck_cron_hook_id );\n\t\t}\n\n\t}", "public function ForceTermination(){\n $args=\"\";\n $filter=\"\";\n return $this->BASE->Upnp($this->SERVICEURL,$this->SERVICE,'ForceTermination',$args,$filter);\n }", "protected function tearDown() {\r\n\t\t// See http://php.net/manual/en/function.proc-terminate.php#113918\r\n\t\tstripos(php_uname('s'), 'win')>-1 ? exec('taskkill /F /T /PID '.$this->serverpid) : exec('kill -9 '.$this->serverpid);\r\n\t\tparent::tearDown();\r\n\t}", "function wha_dialog_close($process, $pipes, &$out=null, &$err=null)\n{\n if(!is_resource($process)) {\n $err .= 'wha_dialog_close(): $process is not a resource';\n return -1;\n }\n\n if(isset($pipes[0])) {\n fclose($pipes[0]);\n usleep(2000);\n }\n\n if(isset($pipes[1])) {\n fclose($pipes[1]);\n usleep(2000);\n }\n\n $err = stream_get_contents($pipes[2]);\n $out = stream_get_contents($pipes[3]);\n\n fclose($pipes[2]);\n fclose($pipes[3]);\n\n $res = proc_close($process);\n if($res == -1) {\n if(!is_string($err)) $err = '';\n if(strlen($err) > 0) $err .= \"\\nerror: \";\n $err .= \"wha_dialog_close(): proc_close() returned -1\";\n }\n return $res;\n}", "public function action_exit()\n\t{\n\t\tif ( file_exists( $this->_config['pid_file']))\n\t\t{\n\t\t\t$pid = file_get_contents($this->_config['pid_file']);\n\n\t\t\tif ( $pid !== 0)\n\t\t\t{\n\t\t\t\tKohana::$log->add(Log::DEBUG, 'Sending SIGTERM to pid ' . $pid);\n\n\t\t\t\tposix_kill($pid, SIGTERM);\n\n\t\t\t\tif (posix_get_last_error() === 0)\n\t\t\t\t{\n\t\t\t\t\tKohana::$log->add(Log::DEBUG, 'Signal sent SIGTERM to pid ' . $pid);\n\t\t\t\t}\n\t\t\t\telse\n\t\t\t\t{\n\t\t\t\t\tKohana::$log->add(Log::ERROR, \"TaskDaemon: An error occured while sending SIGTERM\");\n\t\t\t\t\tunlink($this->_config['pid_file']);\n\t\t\t\t}\n\t\t\t}\n\t\t\telse\n\t\t\t{\n\t\t\t\tKohana::$log->add(Log::DEBUG, \"Could not find TaskDaemon pid in file :\".$this->_config['pid_file']);\n\t\t\t}\n\t\t}\n\t\telse\n\t\t{\n\t\t\tKohana::$log->add(Log::ERROR, \"TaskDaemon pid file \".$this->_config['pid_file'].\" does not exist\");\n\t\t}\n\n\t\t// Write log to prevent memory issues\n\t\tKohana::$log->write();\n\t}" ]
[ "0.63284206", "0.5852008", "0.5524796", "0.54892194", "0.5484869", "0.54823005", "0.5381325", "0.5348811", "0.5296727", "0.52915967", "0.5242947", "0.5234272", "0.52042913", "0.5169446", "0.5145113", "0.51274455", "0.5117656", "0.5092813", "0.50925875", "0.50604415", "0.5043901", "0.5015393", "0.5001495", "0.49991566", "0.49821818", "0.4909332", "0.48834038", "0.48716393", "0.4853783", "0.4841494" ]
0.71618956
0
Prepare existing row data object Convert backend date format "20180112" to front format "12/01/2018"
protected function _prepareArrayRow(\Magento\Framework\DataObject $row) { $key = 'date'; if (!isset($row[$key])) return; $rowId = $row['_id']; try { $sourceDate = \DateTime::createFromFormat('Y-m-d', $row[$key]); $renderedDate = $sourceDate->format('d/m/Y'); $row[$key] = $renderedDate; $columnValues = $row['column_values']; $columnValues[$this->_getCellInputElementId($rowId, $key)] = $renderedDate; $row['column_values'] = $columnValues; } catch (\Exception $e) { // Just skipping error values } }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "private function changeDataFormat($data){\n if($data)\n if($data[2] != '/'){\n $date = date_create($data);\n return date_format($date, 'd/m/Y');\n }\n return $data;\n }", "function converteData($data) {\n\treturn date('Y-m-d', strtotime(str_replace('/', '-', $data)));\n}", "public function inverterData($data){\r\n\t\t\r\n $data = substr($data,0,4) . \"/\" . substr($data,4,2) . \"/\" . substr($data,6,2);\r\n \r\n $nova_data = date('d/m/Y', strtotime($data));\r\n \r\n return $nova_data;\r\n }", "public function setValueFormatForDatabase(){\n\t\t$this->value=self::convertDateValueForDataBase($this->value,$this->pickerType);\n\t}", "function Date_Converter($date) {\n $date = explode(\"-\", substr($date,0,10));\n # Rearrange Date into m/d/Y\n $date = $date[2] . \"/\" . $date[1] . \"/\" . $date[0];\n\n # Return\n return $date;\n\n}", "function reformatDate($date) {\n $dateObj = date_create_from_format('d/m/Y', $date);\n return date_format($dateObj, 'Y-m-d');\n }", "function change_date_simple($date_data, $type, $order_by)\n{\n\t\n\t($date_data !='') ? $status = 1 : exit ('Date not complete');\n\t\n\tif ($type == 'slash')\n\t{\n\t\tlist ($tahun, $bulan, $tanggal) = explode ('-',$date_data);\n\t\n\t\tif ($order_by == 'by_year') $new_date = \"$tahun/$bulan/$tanggal\";\n\t\tif ($order_by == 'by_month') $new_date = \"$bulan/$tanggal/$tahun\";\n\t\tif ($order_by == 'by_date') $new_date = \"$tanggal/$bulan/$tahun\";\n\t}\n\telse if ($type == 'strip')\n\t{\n\t\tlist ($tahun, $bulan, $tanggal) = explode ('/',$date_data);\n\t\n\t\tif ($order_by == 'by_year') $new_date = \"$tahun-$bulan-$tanggal\";\n\t\tif ($order_by == 'by_month') $new_date = \"$bulan-$tanggal-$tahun\";\n\t\tif ($order_by == 'by_date') $new_date = \"$tanggal-$bulan-$tahun\";\n\t}\n\t\n}", "public function formatedData() {\n\n return $this->getDt_nota()->format('d/m/Y');\n }", "protected function beforeValidate ()\n {\n //$this->tglrevisimodul = date ('Y-m-d', strtotime($this->tglrevisimodul));\n $format = new MyFormatter();\n foreach($this->metadata->tableSchema->columns as $columnName => $column){\n if ($column->dbType == 'date'){\n $this->$columnName = $format->formatDateTimeForDb($this->$columnName);\n }elseif ($column->dbType == 'timestamp without time zone'){\n //$this->$columnName = date('Y-m-d H:i:s', CDateTimeParser::parse($this->$columnName, Yii::app()->locale->dateFormat));\n $this->$columnName = $format->formatDateTimeForDb($this->$columnName);\n }\n }\n\n return parent::beforeValidate ();\n }", "protected function beforeValidate ()\n {\n //$this->tglrevisimodul = date ('Y-m-d', strtotime($this->tglrevisimodul));\n $format = new MyFormatter();\n //$this->tglrevisimodul = $format->formatDateTimeForDb($this->tglrevisimodul);\n foreach($this->metadata->tableSchema->columns as $columnName => $column){\n if ($column->dbType == 'date'){\n $this->$columnName = $format->formatDateTimeForDb($this->$columnName);\n }elseif ($column->dbType == 'datetime'){\n $this->$columnName = date('Y-m-d H:i:s', CDateTimeParser::parse($this->$columnName, Yii::app()->locale->dateFormat));\n }\n\n }\n\n return parent::beforeValidate ();\n }", "private function ConvertDate() {\n\t\t/* Date must be in the format of day/month/year or day-month-year */\n\t\t$new_date = preg_replace('/-|\\./', '/', $this->_datafield);\n\t\t$date_parts = explode('/', $new_date);\n\t\tif ((count($date_parts) == 3) && ($date_parts[0] > 0 && $date_parts[0] < 32 && $date_parts[1] > 0 && $date_parts[1] < 13 && (strlen($date_parts[2]) == 4))) {\n\t\t\t$old_date = mktime(0,0,0,$date_parts[1],$date_parts[0],$date_parts[2]);\n\t\t}\n\t\telse $old_date = 0;\n\t\treturn $old_date;\n\t}", "function data2str($data) { \n $timestamp = DateTime::createFromFormat('Y-m-d', $data);\n if ($timestamp != null) $str = $timestamp->format('d/m/Y');\n else $str = \"\";\n return $str; \n}", "function genHelDoConvertDate($date, $date_format_in, $date_format_out)\n {\n $date = DateTime::createFromFormat($date_format_in, $date); //d/m/Y\n return $date->format($date_format_out); //Y-m-d\n\n }", "function formatDateForDb($date) {\n return date(\"Y-m-d\", strtotime($date));\n }", "function prepareCSVData( &$data, $key )\n\t{\n\t\t$params =& $this->getParams();\n\t\t$format \t= $params->get( 'date_form_format' );\n\t\t//go through data and turn any dates into unix timestamps\n\t\tfor ($j=0; $j < count( $data ); $j++) {\n\t\t\t$date \t= JFactory::getDate( $data[$j][$key] );\n\t\t\t$data[$j][$key] = $date->toFormat( $format );\n\t\t}\n\t}", "function str2data($str) {\n $timestamp = DateTime::createFromFormat('d/m/Y', $str);\n if ($timestamp != null) $data = $timestamp->format('Y-m-d');\n else $data = \"\";\n \n return $data;\n \n}", "function FechaANormal($MySQLFecha) \n{ \nif (($MySQLFecha == \"\") or ($MySQLFecha == \"0000-00-00\") ) \n\t{return \"\";} \nelse \n\t{return date(\"d/m/Y\",strtotime($MySQLFecha));} \n}", "private function createDateShop($data) {\r\n $data_ricevuta = strtotime($data); // convert string to timestamp\r\n $data_convertita = date(\"d/m/Y\", $data_ricevuta); // convert timestamp to Server Format 31/08/2018\r\n return $data_convertita;\r\n }", "function acerta_data($dt)\n{\n if (!preg_match('/^([0-9]{2})\\/([0-9]{2})\\/([0-9]{4})$/', $dt))\n return null;\n $temp = explode('/', $dt);\n return $temp [2].'-'.$temp [1].'-'.$temp [0];\n}", "public function separatingDates() {\r\n\t\t$query1 = \"select id, subject, object from \\\"pangea:date\\\" where object not ilike '%/%'\"; //cojo las fechas malas\r\n\t\t$result1 = pg_query ( $this->dbConn, $query1 );\r\n\t\t\r\n\t\t//borro las fechas malas de la tabla de fechas buenas\r\n\t\t$query2 = \"delete from \\\"pangea:date\\\" where object not ilike '%/%'\";\r\n\t\t$result2 = pg_query ( $this->dbConn, $query2 );\r\n\t\t\r\n\t\t//meto las fechas malas en la nueva tabla\r\n\t\t$total = pg_num_rows ( $result1 );\r\n\t\tfor($i = 0; $i < $total; $i ++) {\r\n\t\t\t$row = pg_fetch_array ( $result1 );\r\n\t\t\t$id = $row ['id'];\r\n\t\t\t$subject = $row ['subject'];\r\n\t\t\t$object = $row ['object'];\r\n\t\t\t$query3 = \"INSERT INTO \\\"pangea:strDate\\\" (id, subject, object, datatype, lang) VALUES ($id, $subject, '$object', 'xsd:string', 'sp')\";\r\n\t\t\t$result3 = pg_query ( $this->dbConn, $query3 );\r\n\t\t}\r\n\t}", "public function formatDataFromDb($databaseRow){\n\n }", "public function prepareRow($row) {\n if (parent::prepareRow($row) === FALSE) {\n return FALSE;\n }\n \n // Fix repeat end dates that were incorrectly set as 0000-00-00 by inserting today 20 years in the future\n if ($row->repeat_end_date == '0000-00-00') {\n $row->repeat_end_date = date('Y-m-d', strtotime('+20 years'));\n\n // Logging\n watchdog('migrate_ding1_ding2', 'Fixing repeat_end_date of 0000-00-00 by setting it to future date %date', array('%date'=>$row->repeat_end_date), WATCHDOG_INFO);\n }\n }", "protected static function bootFormatDate()\n {\n\n /**\n * Format date columns when retrieving from DB\n */\n static::retrieved(function (Model $model) {\n\n if(isset($model->dateColumns) && gettype($model->dateColumns) == 'array') {\n\n $dateConfig = config('model-utilities.date');\n\n foreach($model->dateColumns as $key => $value){\n\n if(gettype($value) == 'array' && isset($model[$key]) && !is_null($model[$key])) {\n\n $dateFormatted = ModelUtilities::formatDate($model[$key], $value);\n\n if($dateFormatted) {\n $model[$key] = $dateFormatted;\n }\n\n } else if(gettype($value) == 'string' && isset($model[$value]) && !is_null($model[$value])) {\n\n $dateFormatted = ModelUtilities::formatDate($model[$value]);\n\n if($dateFormatted) {\n $model[$value] = $dateFormatted;\n }\n\n }\n }\n }\n\n });\n\n /**\n * UNformat date columns when saving the record in DB\n */\n static::saving(function (Model $model) {\n\n if(isset($model->dateColumns) && gettype($model->dateColumns) == 'array') {\n\n $dateConfig = config('model-utilities.date');\n\n foreach($model->dateColumns as $key => $value){\n\n if(gettype($value) == 'array' && isset($model[$key]) && !is_null($model[$key])) {\n\n $dateUnformatted = ModelUtilities::unformatDate($model[$key], $value);\n\n if($dateUnformatted) {\n $model[$key] = $dateUnformatted;\n }\n\n } else if(gettype($value) == 'string' && isset($model[$value]) && !is_null($model[$value])) {\n\n $dateUnformatted = ModelUtilities::unformatDate($model[$value]);\n\n if($dateUnformatted) {\n $model[$value] = $dateUnformatted;\n }\n\n }\n }\n }\n\n });\n\n }", "function fecha_normal($fecha_norm){\n $date_n = date_create($fecha_norm);\n $fecha_normal =date_format($date_n, 'd/m/Y');\n \nreturn $fecha_normal;\n\n}", "function clean_row($row) {\n // hide invisible data\n unset($row->id);\n unset($row->user_id);\n\n $row->due_date = date('m/d/Y', strtotime($row->due_date));\t// reformat to match jQueryUI datepicker\n }", "public function _Date1_call($value, $row){\n //return $value.\" - scale: <b>\".$row->date.\"</b>\";\n $Date1 = date('d-M-Y', strtotime($row->Periode1));\n return $Date1;\n \n }", "function set_data_format($post_date = null) {\n\n $reserve_date = [];\n $reserve_date['format'] = date(\"Y-m-d\", strtotime($post_date));\n $date = date(\"d\", strtotime($post_date));\n $time = strtotime($post_date);\n $month = date(\"F\", $time);\n $year = date(\"Y\", $time);\n $reserve_date['show'] = $month . ' ' . $date . ', ' . $year;\n\n return $reserve_date;\n}", "function data_it($data){\n $array = explode(\"-\", $data); \n // Riorganizzo gli elementi nello stile YYYY/MM/DD\n $data_it = $array[2].\"/\".$array[1].\"/\".$array[0]; \n // Restituisco il valore della data in formato sql\n return $data_it; \n}", "public function date_convert_db($str){\n\t\t\t// $date = str_replace(\"/\", \"\", $str2);\n\n\t\t\t$pisah = explode('/', $str);\n\t\t\t$arr = array($pisah[2], $pisah[1], $pisah[0]);\n\t\t\t$date = implode('-', $arr);\n\n\t\t\treturn $date;\n\t\t}", "public function testDateToDBFormat_WithValue()\r\n {\r\n $_temp = \\TAS\\Core\\Config::$DisplayDateTimeFormat ;\r\n \\TAS\\Core\\Config::$DisplayDateTimeFormat = 'm/d/Y H:i a';\r\n\r\n $output = DataFormat::DBToDateTimeFormat('12/16/2019');\r\n $this->assertEquals('12/16/2019 00:00 am', $output);\r\n\r\n $output = DataFormat::DBToDateTimeFormat('2019-12-16');\r\n $this->assertEquals('12/16/2019 00:00 am', $output);\r\n\r\n $output = DataFormat::DBToDateTimeFormat('2019-12-16 14:27:00');\r\n $this->assertEquals('12/16/2019 14:27 pm', $output);\r\n\r\n $output = DataFormat::DBToDateTimeFormat('2019/12/16');\r\n $this->assertEquals('12/16/2019 00:00 am', $output);\r\n\r\n \\TAS\\Core\\Config::$DisplayDateTimeFormat = $_temp;\r\n }" ]
[ "0.63997865", "0.5987447", "0.5952762", "0.5885414", "0.5882973", "0.5878977", "0.5829291", "0.5755973", "0.57295793", "0.57206714", "0.5676779", "0.5605271", "0.55230904", "0.5513646", "0.551079", "0.54960954", "0.5484552", "0.54701763", "0.5417781", "0.5393856", "0.5382952", "0.53824145", "0.5371922", "0.53486085", "0.5347446", "0.53394455", "0.5315671", "0.53068644", "0.5283696", "0.5274513" ]
0.6418937
0
Register Custom Font Custom Post Type
private static function register_cpt() { if ( !class_exists( 'CPT' ) ) { include THEMIFY_BUILDER_LIBRARIES_DIR . '/CPT.php'; } // create a template custom post type $cpt = new CPT( array( 'post_type_name' =>self::$slug, 'singular' => __( 'Custom Font', 'themify' ), 'plural' => __( 'Custom Fonts', 'themify' ) ), array( 'supports' => array( 'title' ), 'exclude_from_search' => true, 'show_in_nav_menus' => false, 'show_in_menu' => false, 'show_ui' => true, 'public' => false, 'has_archive' => false ) ); // define the columns to appear on the admin edit screen $cpt->columns( array( 'cb' => '<input type="checkbox" />', 'title' => __( 'Title', 'themify' ), 'font_preview' => __( 'Preview', 'themify' ) ) ); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function add_any_font_register( $wp_customize ) {\n\t\t\t// Add the section/\n\t\t\t// You can add your description here.\n\t\t\t// Please note that the title will not be displayed.\n\t\t\t$wp_customize->add_section( 'kirki_installer', array(\n\t\t\t\t'title' => '',\n\t\t\t\t'description' => esc_attr__( 'If you want to use a custom font you upload yourself, please install the \"Add Any Font\" plugin.', 'pure-demo' ),\n\t\t\t\t'priority' => -10,\n\t\t\t\t'capability' => 'install_plugins',\n\t\t\t) );\n\t\t\t// Add the setting. This is required by WordPress in order to add our control.\n\t\t\t$wp_customize->add_setting( 'kirki_installer', array(\n\t\t\t\t'type' => 'theme_mod',\n\t\t\t\t'capability' => 'install_plugins',\n\t\t\t\t'default' => '',\n\t\t\t\t'sanitize_callback' => '__return_true',\n\t\t\t));\n\t\t\t// Add our control. This is required in order to show the section.\n\t\t\t$wp_customize->add_control( new Kirki_Installer_Control( $wp_customize, 'kirki_installer', array(\n\t\t\t\t'section' => 'kirki_installer',\n\t\t\t) ) );\n\n\t\t}", "static function register_post_type() {\r\n\t}", "public function register_custom_post_type() {\n\n\t\t$singular_label = empty( $this->config['args']['labels']['singular'] ) ? $this->post_type : (string) $this->config['args']['labels']['singular'];\n\t\t$plural_label = empty( $this->config['args']['labels']['plural'] ) ? $this->post_type : (string) $this->config['args']['labels']['plural'];\n\n\t\t$this->args['labels'] = $this->get_post_type_labels( $singular_label, $plural_label );\n\n\t\tregister_post_type( $this->post_type, $this->args );\n\t}", "function register_post_types(){\n\t\trequire('lib/custom-types.php');\n\t}", "public static function register_post_type() {\n static::$_post_args['labels'] = static::$_post_labels;\n register_post_type( static::$_post_type, static::$_post_args );\n }", "public function setting_text_post_type() {\n $args = array(\n 'class' => 'code'\n );\n $this->setting_text_input( 'post_type', $args );\n }", "public function post_type() {\n $labels = array(\n 'name' => _x('Custom Styles', 'post type general name'),\n 'singular_name' => _x('Custom Style', 'post type singular name'),\n 'add_new' => _x('Add New', 'Custom Style'),\n 'add_new_item' => __('Add New Custom Style'),\n 'edit_item' => __('Edit Custom Style'),\n 'new_item' => __('New Custom Style'),\n 'view_item' => __('View Custom Stylea'),\n 'search_items' => __('Search Custom Stylea'),\n 'not_found' => __('No Custom Styles found'),\n 'not_found_in_trash' => __('No Custom Styles found in Trash'),\n 'parent_item_colon' => ''\n );\n\n register_post_type('custom-styles', array(\n 'labels' => $labels,\n 'public' => false,\n 'show_ui' => true,\n 'show_in_menu' => 'options-general.php',\n 'supports' => array(\n 'title'\n )\n ));\n }", "public static function enqueue_custom_fonts() {\n\t\t\t$path = self::get_cf_fonts_url(apply_filters( 'themify_custom_fonts', array() ));\n\t\t\tif($path!==false){\n\t\t\t\tthemify_enque_style( 'themify-custom-fonts', $path,null,null,null,true );\n\t\t\t}\n\t\t}", "function gavernwp_fonts_hook() {\n\t// generates Gavern fonts\n\tgk_head_fonts();\n\n \t// YOUR HOOK CODE HERE\n}", "public function pixerex_font_setup() {\n \n wp_enqueue_style(\n 'pixerex-addons-font',\n PIXEREX_ELEMENTS_URL . 'assets/editor/css/style.css',\n array(),\n PIXEREX_ELEMENTS_VERSION\n );\n \n $badge_text = Helper_Functions::get_badge();\n \n $dynamic_css = sprintf( '[class^=\"pa-\"]::after, [class*=\" pa-\"]::after { content: \"%s\"; }', $badge_text ) ;\n\n wp_add_inline_style( 'pixerex-addons-font', $dynamic_css );\n \n }", "public function register_post_type(){\n\n\t\t$post_type_name = self::uglify($this->set_post_type_name());\n\t\t$post_type_args = $this->set_post_type_args() ?? array() ;\n\t\t$post_type_labels = $this->set_post_type_labels() ?? array();\n\n\t\t//Capitilize the words and make it plural\n\t\t$name = self::beautify( $post_type_name );//ucwords( str_replace( '_', ' ', $this->post_type_name ) );\n\t\t$plural = self::pluralize( $name );\n\t\t// We set the default labels based on the post type name and plural. We overwrite them with the given labels.\n\t\t$defaults_labels = array(\n\t\t\t// 'name' => _x( $plural, 'post type general name' ),\n\t\t\t'name' => _x( $plural, 'post type general name' ),\n\t\t\t'singular_name' => _x( $name, 'post type singular name' ),\n\t\t\t'add_new' => _x( 'Add New', strtolower( $name ) ),\n\t\t\t'add_new_item' => __( 'Add New ' . $name ),\n\t\t\t'edit_item' => __( 'Edit ' . $name ),\n\t\t\t'new_item' => __( 'New ' . $name ),\n\t\t\t'all_items' => __( 'All ' . $plural ),\n\t\t\t'view_item' => __( 'View ' . $name ),\n\t\t\t'search_items' => __( 'Search ' . $plural ),\n\t\t\t'not_found' => __( 'No ' . strtolower( $plural ) . ' found'),\n\t\t\t'not_found_in_trash' => __( 'No ' . strtolower( $plural ) . ' found in Trash'),\n\t\t\t'parent_item_colon' => '',\n\t\t\t'menu_name' => $plural\n\t\t);\n\n\t\t$labels = wp_parse_args( $post_type_labels , $defaults_labels );\n\t\t// $labels = wp_parse_args( $this->set_post_type_labels( ), $defaults_labels );\n\t\t// Same principle as the labels. We set some defaults and overwrite them with the given arguments.\n\t\t$defaults_args = array(\n\t\t\t\t// 'label' => $plural,\n\t\t\t\t// 'labels' => $labels,\n\t\t\t\t'public' => true,\n\t\t\t\t'show_ui' => true,\n\t\t\t\t'supports' => array( 'title', 'editor' ),\n\t\t\t\t'show_in_nav_menus' => true,\n\t\t\t\t'has_archive' \t=> true,\n\t\t\t);\n\t\t$args = wp_parse_args( $post_type_args , $defaults_args );\n\t\t$args['labels']= $labels;\n\t\t// Register the post type\n\t\tregister_post_type( $post_type_name , $args );\n\t}", "function cpotheme_icon_library_typicons($value)\n{\n wp_enqueue_style('cpotheme-typicons');\n return '<span style=\"font-family:\\'typicons\\'\">'.$value.'</span>';\n}", "function opubco_register_post_types()\n{\n //Register post types here (using register_post_type)\n}", "function bbp_register_post_types()\n{\n}", "function dx_custom_post_types() {\r\n\t\tadd_action('init', array( &$this, 'dx_custom_post_types_callback' ));\r\n\t}", "function ctmeta_register_post_type() {\n\n\t\t// Get plugin object\n\t\tglobal $ctmeta_plugin;\n\n\t\t// Args\n\t\t$args = array(\n\t\t\t'labels' => array( 'name' => __( 'CTmeta post type', $ctmeta_plugin->textdomain ) ),\n\t\t\t'public' => false,\n\t\t\t'supports' => array( 'title', 'custom-fields' )\n\t\t);\n\n\t\t// Register post type\n\t\tregister_post_type( ctmeta_settings( 'post_type_name' ), $args );\n\t}", "function codesigner_fonts( $wp_customize ) {\n\n\t$wp_customize->add_section( 'fonts_defaults' , array(\n\t\t'panel' \t\t=> __( 'codesigner_defaults_panel' ),\n\t\t'title' \t\t=> __( 'Fonte', 'codesigner' ),\n\t\t'priority' \t\t=> 20,\n\t\t'description' \t=> '<strong>SELEÇÃO DA FONTE UTILIZADA NO SITE.</strong> <br><br>Este tema utiliza <strong>Google Fonts</strong> como base de fontes. Para encontrar suas fontes, visite o <a href=\"https://fonts.google.com/\" target=\"_blank\">site oficial</a> e faça uma busca.',\n\t) );\n\n\n\n\t$wp_customize->add_setting( 'font_family', array('default' => '<link href=\"https://fonts.googleapis.com/css?family=Roboto:300,300i,400,400i,500,500i,700,700i\" rel=\"stylesheet\">'));\n\t$wp_customize->add_setting( 'font_family_css', array('default' => 'font-family: \"Roboto\", sans-serif'));\n\n\n\n\t$wp_customize->add_control( new WP_Customize_Control( $wp_customize, 'font_family', array(\n\t\t'label' \t\t=> 'CÓDIGO HTML DA FONTE',\n\t\t'section' \t\t=> 'fonts_defaults',\n\t\t'settings'\t\t=> 'font_family',\n\t\t'type' \t=> 'text',\n\t) ) );\n\t$wp_customize->add_control( new WP_Customize_Control( $wp_customize, 'font_family_css', array(\n\t\t'label' \t\t=> 'CÓDIGO CSS DA FONTE',\n\t\t'section' \t\t=> 'fonts_defaults',\n\t\t'settings'\t\t=> 'font_family_css',\n\t\t'type' \t=> 'text',\n\t) ) );\n\n\n\n}", "function register_post_types(){\n\t\t}", "function register() {\n\tregister_custom_post_type();\n\tregister_custom_post_status();\n}", "function rm_custom_fonts() {\n\t\twp_register_style( 'custom-font', get_stylesheet_directory_uri() . '/includes/fonts/fonts.css', false, '1.0', 'all' );\n\t\twp_enqueue_style( 'custom-font' );\n\t}", "public function register_custom_post_types() {\n\n\t\t/* Get custom post types from db */\n\t\t$custom_post_types = get_option( self::$plugin_prefix . '_cpts' );\n\t\t$cpts_hash = get_option( self::$plugin_prefix . '_cpts_hash' );\n\t\t$new_cpts_hash = '';\n\t\n\t\t/* Register cpts & custom taxonomy if enabled */\n\t\tif ( function_exists( 'register_post_type' ) && function_exists( 'register_taxonomy' ) ) { \n\t\t\tif ( isset( $custom_post_types ) && !empty( $custom_post_types ) ) {\n\t\t\t\tforeach ( $custom_post_types as $custom_post_type ) {\n\t\n\t\t\t\t\t$cpt_labels = array(\n\t\t\t\t\t\t'name' => $custom_post_type['name'],\n\t\t\t\t\t\t'singular_name' => $custom_post_type['singular_name'],\n\t\t\t\t\t\t'add_new' => __( 'Add New', 'go_portfolio_textdomain' ),\n\t\t\t\t\t\t'add_new_item' => sprintf( __( 'Add New %s', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'edit_item' => sprintf( __( 'Edit %s', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'new_item' => sprintf( __( 'New %s', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'all_items' => sprintf( __( 'All %s', 'go_portfolio_textdomain' ), $custom_post_type['name'] ),\n\t\t\t\t\t\t'view_item' => sprintf( __( 'View %s', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'search_items' => sprintf( __( 'Search %s', 'go_portfolio_textdomain' ), $custom_post_type['name'] ),\n\t\t\t\t\t\t'not_found' => sprintf( __( 'No %s found', 'go_portfolio_textdomain' ), $custom_post_type['name'] ),\n\t\t\t\t\t\t'not_found_in_trash' => sprintf( __( 'No %s found in Trash', 'go_portfolio_textdomain' ), $custom_post_type['name'] ), \n\t\t\t\t\t\t'parent_item_colon' => '',\n\t\t\t\t\t\t'menu_name' => $custom_post_type['name']\n\t\t\t\t\t );\n\t\t\t\t\t\n\t\t\t\t\t$cpt_args = array(\n\t\t\t\t\t\t'labels' \t\t\t=> $cpt_labels,\n\t\t\t\t\t\t'hierarchical' => false,\n\t\t\t\t\t\t'public' \t\t\t=> true,\n\t\t\t\t\t\t'has_archive' \t\t=> isset ( $custom_post_type['has-archive'] ) ? true : false,\n\t\t\t\t\t\t'exclude_from_search' => isset ( $custom_post_type['search-exclude'] ) ? true : false,\n\t\t\t\t\t\t'supports' \t\t\t=> array( 'title', 'editor', 'thumbnail', 'custom-fields','comments','page-attributes', 'excerpt', 'revisions' ),\n\t\t\t\t\t\t'menu_icon'\t\t\t=> GW_GO_PORTFOLIO_URI . 'admin/images/icon_wp_nav.png'\n\t\t\t\t\t);\n\t\t\t\t\n\t\t\t\t\t$ctax_cat_labels = array(\n\t\t\t\t\t\t'name' => sprintf( __( '%s Categories', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'singular_name' \t=> sprintf( __( '%s Category', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'search_items' => sprintf( __( 'Search %s Categories', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'all_items' => sprintf( __( 'All %s Categories', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'parent_item' => sprintf( __( 'Parent %s Category', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'parent_item_colon' => sprintf( __( 'Parent %s Category:', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'edit_item' => sprintf( __( 'Edit %s Category', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'update_item' => sprintf( __( 'Update %s Category', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'add_new_item' => sprintf( __( 'Add New %s Category', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'new_item_name' => sprintf( __( 'New %s Category Name', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'menu_name' => sprintf( __( '%s Category', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] )\n\t\t\t\t\t);\n\t\t\t\t\t\n\t\t\t\t\t$ctax_cat_args = array(\n\t\t\t\t\t\t'labels' \t\t\t=> $ctax_cat_labels,\n\t\t\t\t\t\t'hierarchical' => true,\n\t\t\t\t\t\t'public' \t\t\t=> true,\n\t\t\t\t\t\t'query_var' => true,\n\t\t\t\t\t\t'update_count_callback' => '_update_post_term_count'\n\t\t\t\t\t);\n\t\t\t\t\t\n\t\t\t\t\t$ctax_tag_labels = array(\n\t\t\t\t\t\t'name' => sprintf( __( '%s Tags', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'singular_name' \t=> sprintf( __( '%s Tag', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'search_items' => sprintf( __( 'Search %s Tags', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'all_items' => sprintf( __( 'All %s Tags', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'parent_item' => sprintf( __( 'Parent %s Tag', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'parent_item_colon' => sprintf( __( 'Parent %s Tag:', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'edit_item' => sprintf( __( 'Edit %s Tag', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'update_item' => sprintf( __( 'Update %s Tag', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'add_new_item' => sprintf( __( 'Add New %s Tag', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'new_item_name' => sprintf( __( 'New %s Tag Name', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] ),\n\t\t\t\t\t\t'menu_name' => sprintf( __( '%s Tag', 'go_portfolio_textdomain' ), $custom_post_type['singular_name'] )\n\t\t\t\t\t);\n\t\t\t\t\t\n\t\t\t\t\t$ctax_tag_args = array(\n\t\t\t\t\t\t'labels' \t\t\t=> $ctax_tag_labels,\n\t\t\t\t\t\t'hierarchical' => false,\n\t\t\t\t\t\t'public' \t\t\t=> true,\n\t\t\t\t\t\t'query_var' => true,\n\t\t\t\t\t\t'update_count_callback' => '_update_post_term_count'\n\t\t\t\t\t);\t\t\t\t\n\t\t\t\t\t\t\t\t\t\n\t\t\t\t\tif ( isset( $custom_post_type['enabled'] ) ) { \n\t\t\t\t\t\tregister_post_type( $custom_post_type['slug'], $cpt_args );\n\t\t\t\t\t\t\n\t\t\t\t\t\t/* Register taxonomies */\n\t\t\t\t\t\t\n\t\t\t\t\t\tif ( isset( $custom_post_type['custom-tax-cat'] ) || isset( $custom_post_type['custom-tax-tag'] ) ) { \n\n\t\t\t\t\t\t\t$all_tax = get_taxonomies(); \n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t/* Check if taxonomy is already registered */\n\t\t\t\t\t\t\tif ( isset( $all_tax ) && is_array( $all_tax ) ) {\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t/* Register category */\n\t\t\t\t\t\t\t\tif ( isset( $custom_post_type['custom-tax-cat'] ) && !in_array( $custom_post_type['slug'] . '-cat', $all_tax ) ) {\n\t\t\t\t\t\t\t\t\tregister_taxonomy( $custom_post_type['slug'] . '-cat', array( $custom_post_type['slug'] ), $ctax_cat_args );\n\t\t\t\t\t\t\t\t}\n\t\t\n\t\t\t\t\t\t\t\t/* Register tag */\n\t\t\t\t\t\t\t\tif ( isset( $custom_post_type['custom-tax-tag'] ) && !in_array( $custom_post_type['slug'] . '-tag', $all_tax ) ) {\n\t\t\t\t\t\t\t\t\tregister_taxonomy( $custom_post_type['slug'] . '-tag', array( $custom_post_type['slug'] ), $ctax_tag_args );\n\t\t\t\t\t\t\t\t}\t\t\t\t\t\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t}\n\t\t\t\t\t\t\n\t\t\t\t\t\t/* Register additional taxnomy for the cpt */\n\t\t\t\t\t\tif ( isset( $custom_post_type['tax'] ) && !empty( $custom_post_type['tax'] ) ) {\n\t\t\t\t\t\t\tforeach( $custom_post_type['tax'] as $add_tax ) {\n\t\t\t\t\t\t\t\tregister_taxonomy_for_object_type( $add_tax, $custom_post_type['slug'] );\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t\t\n\t\t\t\t\t\tapply_filters( 'manage_edit-'.$custom_post_type['slug'].'_columns', array ( $this, 'cpt_edit_columns' ), '' );\n\t\t\t\t\t\tadd_filter( 'manage_edit-'.$custom_post_type['slug'].'_columns', array ( $this, 'cpt_edit_columns' ) );\n\t\t\t\t\t\t\n\t\t\t\t\t\tadd_action( 'manage_'.$custom_post_type['slug'].'_posts_custom_column', array ( $this, 'cpt_custom_columns' ) );\n\t\t\t\t\t}\n\t\n\t\t\t\t\t/* Create hash from slugs */\n\t\t\t\t\t$new_cpts_hash .= $custom_post_type['slug'];\n\t\t\t\t}\n\t\t\t\t\n\t\t\t\t/* Do flush rewrite if cpts has benn changed */\n\t\t\t\t$new_cpts_hash = md5( $new_cpts_hash );\n\t\t\t\t\n\t\t\t\tif ( !$cpts_hash || $cpts_hash != $new_cpts_hash ) {\n\t\t\t\t\tupdate_option( self::$plugin_prefix . '_cpts_hash', $new_cpts_hash );\n\t\t\t\t\tglobal $wp_rewrite;\n\t\t\t\t\t$wp_rewrite->flush_rules();\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t\n\t}", "public static function generate_custom_post_type() {\r\n\r\n\t\tglobal $lscf_icon_url;\r\n\r\n\t\tif ( count( self::$plugin_settings['generate_the_custom_posts_list'] ) < 1 ) {\r\n\t\t\treturn;\r\n\t\t}\r\n\r\n\t\t$array_of_posts_type = self::$plugin_settings['generate_the_custom_posts_list'];\r\n\r\n\t\t$posts_type_keys = array();\r\n\r\n\t\t$count = 1;\r\n\r\n\t\tforeach ( $array_of_posts_type as $key => $post_type ) {\r\n\r\n\t\t\t$args = array(\r\n\t\t\t\t'public' => true,\r\n\t\t\t\t'label' => $post_type,\r\n\t\t\t\t'menu_icon' => $lscf_icon_url,\r\n\t\t\t\t'supports' => array( 'title', 'editor', 'author', 'thumbnail', 'comments' ),\r\n\t\t\t);\r\n\r\n\t\t\tregister_post_type( $key, $args );\r\n\r\n\t\t\tregister_taxonomy(\r\n\t\t\t\t$key . '-categories',\r\n\t\t\t\t$key,\r\n\t\t\t\tarray(\r\n\t\t\t\t\t'label' => 'Categories',\r\n\t\t\t\t\t'hierarchical' => true,\r\n\t\t\t\t)\r\n\t\t\t);\r\n\r\n\t\t\t$posts_type_keys[] = $key;\r\n\r\n\t\t};\r\n\r\n\t}", "public function register_cpt() {\n\n\t\t$args = array(\n\t\t\t'public' \t\t=> true,\n \t\t'label' \t\t=> __( 'Food', 'mobile-order' ),\n \t\t'menu_icon' \t=> 'dashicons-carrot',\n\t\t\t'hierarchical'\t=> true,\n\t\t\t'supports'\t\t=> array( 'title', 'editor', 'page-attributes' )\n \t);\n\n \tregister_post_type( 'food', $args );\n\n\t}", "function TypekitFonts(){\n if($this->WPinit_typekit_id !== ''):\n // embed typekit\n $output = '<link rel=\"stylesheet\" href=\"https://use.typekit.net/' . $this->WPinit_typekit_id . '.css\">';\n echo $output;\n endif;\n }", "function my_custom_fonts() {\n $user = wp_get_current_user();\n if ( in_array( 'administrator', (array) $user->roles ) ) {\n ?> '\n <!-- <script src=\"https://cdn.jsdelivr.net/npm/clipboard@2/dist/clipboard.min.js\"></script>\n <script>\n new ClipboardJS('.acf-field[data-name]', {\n text: function(trigger) {\n return trigger.getAttribute('data-name');\n }\n});\n</script> -->\n<style>\n#poststuff .acf-postbox .acf-fields .acf-field[data-name]:before {\n content: attr(data-name);\n background-color: #eee;\n padding: 0px 3px;\n border-radius: 3px;\n border: 1px solid #ccc;\n margin: 5px 0;\n display: inline-block;\n float: right;\n transform: translateY(-10px);\n font-size: 10px;\n /* position: relative;\n z-index: 100;\n cursor: pointer; */\n}\n</style>\n<?php\n}\n}", "function gk_speakers_create_post_type() {\n\t$options = get_option( 'speakers_options' );\n\t$taxonomy = $options[ 'speakers_tax' ];\n\t$post_name = strtolower($options[ 'name' ]);\n\t$slug = $options[ 'speakers_slug' ];\n\t\n \t// Custom Post Type Labels\n $labels = array(\n 'name'\t\t\t=> $options[ 'cpt_name' ],\n 'singular_name' => $options[ 'name_singular' ],\n 'add_new_item' => $options[ 'add_new' ]\n );\t\n \t\n \t// Custom Post Type Supports\n $args = array(\n 'labels'\t\t=> $labels,\n 'taxonomies' \t=> array($taxonomy),\n\t\t'menu_position' => intval($options['speakers_position']),\n 'public' \t\t=> true,\n 'rewrite' \t\t=> array('slug' => $slug),\n 'has_archive' \t=> true,\n\t\t'supports' \t\t=> array('title', 'editor', 'thumbnail', 'custom-fields', 'comments')\n );\n \n //register the \"Speakers\" custom post type\n register_post_type($post_name, $args);\n}", "function bones_fonts() {\n wp_register_style('googleFonts', 'http://fonts.googleapis.com/css?family=Lato:400,700,400italic,700italic');\n wp_enqueue_style( 'googleFonts');\n}", "function register_post_types() {\n\t}", "function register_post_types() {\n\t}", "function register_post_types() {\n\t}" ]
[ "0.6802728", "0.6714771", "0.66898", "0.6689187", "0.6619294", "0.6591217", "0.65727687", "0.65073794", "0.6498287", "0.64952666", "0.64834493", "0.64646834", "0.642719", "0.63817066", "0.63705266", "0.63490677", "0.6341003", "0.63186234", "0.62880975", "0.62880826", "0.6282386", "0.62781805", "0.6260629", "0.62419736", "0.62397754", "0.6202527", "0.6191995", "0.61890054", "0.61890054", "0.61890054" ]
0.72491
0
Clean up admin Font manager admin listing
public static function clean_admin_listing_page() { global $typenow; if ( self::$slug !== $typenow ) { return; } add_filter( 'months_dropdown_results', '__return_empty_array' ); add_action( 'manage_' . self::$slug . '_posts_custom_column', array( __CLASS__, 'render_columns' ), 10, 2 ); add_filter( 'screen_options_show_screen', '__return_false' ); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function wce_admin_bar_render() {\r\nglobal $wp_admin_bar;\r\n $wp_admin_bar->remove_menu('wp-logo');\r\n $wp_admin_bar->remove_menu('updates');\r\n $wp_admin_bar->remove_menu('comments');\r\n $wp_admin_bar->remove_menu('new-content');\r\n\r\n}", "function sfa_adminadminspage()\r\n{\r\n sfa_render_admins_index();\r\n\r\n return;\r\n}", "function remove_admin_menu_items() {\n $remove_menu_items = array(__('Plugins'));\n global $menu;\n remove_submenu_page( 'themes.php', 'themes.php' );\n end ($menu);\n while (prev($menu)){\n $item = explode(' ',$menu[key($menu)][0]);\n if(in_array($item[0] != NULL?$item[0]:\"\" , $remove_menu_items)){\n unset($menu[key($menu)]);}\n }\n }", "public function remove_admin_bar_items() {\n global $wp_admin_bar;\n $wp_admin_bar->remove_menu(\"comments\");\n }", "function remove_admin_bar_links(){\n\t\tglobal $wp_admin_bar;\n\t\t$wp_admin_bar->remove_menu('wp-logo');\t\t\t\t// Remove the WordPress logo\n\t\t$wp_admin_bar->remove_menu('updates');\t\t\t\t// Remove the updates link\n\t\t$wp_admin_bar->remove_menu('comments');\t\t\t\t// Remove the comments link\n\t\t$wp_admin_bar->remove_menu('new-content');\t\t\t// Remove the content link\n\t\t$wp_admin_bar->remove_menu('wpseo-menu');\t\t\t// Remove the WP Seo link\n\t}", "public function remove_admin_menus() {\n\t\tremove_menu_page( 'edit-comments.php' );\n\t}", "function una_dashboard_remove_admin() {\n // remove_menu_page( 'index.php' ); //Dashboard Clock\n remove_menu_page( 'gravity' ); //Gravity\n //remove_menu_page( 'edit.php' ); //Posts\n //remove_menu_page( 'upload.php' ); //Media\n // remove_menu_page( 'edit.php?post_type=page' ); //Pages\n remove_menu_page( 'edit-comments.php' ); //Comments\n // remove_menu_page( 'themes.php' ); //Appearance\n remove_menu_page( 'plugins.php' ); //Plugins\n //remove_menu_page( 'users.php' ); //Users\n // remove_menu_page( 'tools.php' ); //Tools\n // remove_menu_page( 'options-general.php' ); //Options\n // remove_menu_page( 'custom-settings.php' ); //custom\n }", "public function wip_admin_menu() {\n\t\t\t//remove_menu_page( 'learn_press' );\n\t\t}", "function wps_admin_bar() {\n global $wp_admin_bar;\n $wp_admin_bar->remove_menu('wp-logo');\n $wp_admin_bar->remove_menu('about');\n $wp_admin_bar->remove_menu('wporg');\n $wp_admin_bar->remove_menu('documentation');\n $wp_admin_bar->remove_menu('support-forums');\n $wp_admin_bar->remove_menu('feedback');\n //$wp_admin_bar->remove_menu('site-name');\n $wp_admin_bar->remove_menu('updates');\n $wp_admin_bar->remove_menu('comments');\n //$wp_admin_bar->remove_menu('new-content');\n //$wp_admin_bar->remove_menu('top-secondary');\n}", "public function hide_admin_items() {\n\t\tif ( ! current_user_can( 'add_users' ) ) {\n\t\t\t?>\n\t\t\t<style type=\"text/css\">\n\t\t\t\t.show-admin-bar { display: none; }\n\t\t\t\tinput#eddc_user_paypal.regular-text, input#eddc_user_rate.small-text { display: none; }\n\t\t\t\tinput[id*=\"email_users_accept_\"] { display: none; }\n\t\t\t\ttr.user-nickname-wrap { display: none; }\n\t\t\t</style>\n\t\t\t<?php\n\t\t}\n\t}", "function capweb_admin_bar_items() {\n\tglobal $wp_admin_bar;\n\t$wp_admin_bar->remove_menu( 'new-link', 'new-content' );\n}", "function admin_remove() { return; }", "function mytheme_admin_bar_render() {\n\tglobal $wp_admin_bar;\n\tif ( ! is_admin() ) {\n\t$wp_admin_bar->remove_menu('comments');\n\t//$wp_admin_bar->remove_menu('edit');\n\t$wp_admin_bar->remove_menu('updates');\n\t$wp_admin_bar->remove_menu('my-blogs');\n\t$wp_admin_bar->remove_menu('appearance');\n\t$wp_admin_bar->remove_menu('new-content');\n\t$wp_admin_bar->remove_menu('customize');\n\t$wp_admin_bar->remove_menu('vc_inline-admin-bar-link');\n\t$wp_admin_bar->remove_menu('wp-logo');\n\t$wp_admin_bar->remove_menu('site-name');\n\t$wp_admin_bar->remove_menu('search');\n\t$wp_admin_bar->remove_menu('revslider');\n\t}\n}", "function excellent_themes_admin()\n {\n if (is_admin() && (!empty($_GET['page']) && strpos($_GET['page'], 'et_') == 0))\n wp_deregister_style('ngg-jquery-ui');\n }", "function edit_admin_bar() {\n global $wp_admin_bar;\n $wp_admin_bar->remove_menu('wp-logo'); // Logo\n $wp_admin_bar->remove_menu('about'); // A propos de WordPress\n $wp_admin_bar->remove_menu('wporg'); // WordPress.org\n $wp_admin_bar->remove_menu('documentation'); // Documentation\n $wp_admin_bar->remove_menu('support-forums'); // Forum de support\n $wp_admin_bar->remove_menu('feedback'); // Remarque\n $wp_admin_bar->remove_menu('view-site'); // Aller voir le site\n}", "function remove_admin_bar_links() {\n global $wp_admin_bar;\n\t$wp_admin_bar->remove_menu('comments');\n $wp_admin_bar->remove_menu('new-content');\n $wp_admin_bar->remove_menu('updates');\n $wp_admin_bar->remove_menu('archive');\n $wp_admin_bar->remove_menu('preview');\n $wp_admin_bar->remove_menu('view');\n\t$wp_admin_bar->remove_menu('wpfc-toolbar-parent');\n}", "function hide_admin_pages(){\n global $submenu;\n unset($submenu['themes.php'][6]); // remove customize link\n remove_action('admin_menu', '_add_themes_utility_last', 101); // remove theme editor link\n}", "public function restore_admins() {\n\t\tunset( $GLOBALS['super_admins'] );\n\t}", "public function collectAdmin()\n {\n $array = $this->productsLogic->readAdminProducts();\n $a = $this->replace($array);\n $b = $this->btnInArray($a);\n $table = $this->productsLogic->printTable($b);\n $pages = $this->productsLogic->pagination();\n\n include \"view/admin.php\";\n }", "function wpo_remove_footer_admin() {\n\treturn 'Réalisé par Fusion pour Mme Michu';\n}", "function remove_admin_bar_style_backend() { // css override for the admin page\n echo '<style>body.admin-bar #wpcontent, body.admin-bar #adminmenu { padding-top: 0px !important; }</style>';\n }", "function remove_admin_bar_style_backend() { \n echo '<style>body.admin-bar #wpcontent, body.admin-bar #adminmenu { padding-top: 0px !important; }</style>';\n }", "public function remove_admin_pages() {\n // divi project\n remove_menu_page( 'edit.php?post_type=project' );\n\n // post tag\n remove_submenu_page('edit.php', 'edit-tags.php?taxonomy=post_tag');\n }", "function remove_admin_bar_links() {\r\n\tglobal $wp_admin_bar;\r\n\t$wp_admin_bar->remove_menu('wp-logo');\r\n\t$wp_admin_bar->remove_menu('about');\r\n\t$wp_admin_bar->remove_menu('wporg');\r\n\t$wp_admin_bar->remove_menu('documentation');\r\n\t$wp_admin_bar->remove_menu('support-forums');\r\n\t$wp_admin_bar->remove_menu('feedback');\r\n\t$wp_admin_bar->remove_menu('comments');\r\n\t$wp_admin_bar->remove_menu('updates');\r\n\t$wp_admin_bar->remove_menu('new-link');\r\n\t$wp_admin_bar->remove_menu('new-user');\r\n\t$wp_admin_bar->remove_menu('new-media');\r\n\t$wp_admin_bar->remove_menu('w3tc');\r\n}", "public function lctrainee_comments_remove_admin_menus()\n {\n remove_menu_page( 'edit-comments.php' );\n }", "function remove_admin_bar_links() {\n\tglobal $wp_admin_bar;\n\t$wp_admin_bar->remove_menu('wp-logo');\n\t$wp_admin_bar->remove_menu('updates');\n\t$wp_admin_bar->remove_menu('comments');\n}", "function EPFL_remove_customize_admin_bar_render()\n{\n if ( !current_user_can( 'administrator' ) ) {\n global $wp_admin_bar;\n $wp_admin_bar->remove_menu('customize');\n }\n}", "public function hide_menu_items() {\r\n\t\t\tremove_submenu_page( 'themes.php', 'wolf-theme-update' );\r\n\t\t}", "function ilusix_remove_backend_menu_items() {\n remove_menu_page( 'edit.php' );\n remove_menu_page( 'edit-comments.php' );\n}", "function _horde_admin_list()\n{\n return array('configuration' => array(\n 'link' => '%application%/admin/setup/',\n 'name' => _(\"_Setup\"),\n 'icon' => 'config.png'),\n 'users' => array(\n 'link' => '%application%/admin/user.php',\n 'name' => _(\"_Users\"),\n 'icon' => 'user.png'),\n 'groups' => array(\n 'link' => '%application%/admin/groups.php',\n 'name' => _(\"_Groups\"),\n 'icon' => 'group.png'),\n 'perms' => array(\n 'link' => '%application%/admin/perms/index.php',\n 'name' => _(\"_Permissions\"),\n 'icon' => 'perms.png'),\n 'alarms' => array(\n 'link' => '%application%/admin/alarms.php',\n 'name' => _(\"_Alarms\"),\n 'icon' => 'alerts/alarm.png'),\n 'datatree' => array(\n 'link' => '%application%/admin/datatree.php',\n 'name' => _(\"_DataTree\"),\n 'icon' => 'datatree.png'),\n 'sessions' => array(\n 'link' => '%application%/admin/sessions.php',\n 'name' => _(\"Sessions\"),\n 'icon' => 'user.png'),\n 'phpshell' => array(\n 'link' => '%application%/admin/phpshell.php',\n 'name' => _(\"P_HP Shell\"),\n 'icon' => 'mime/php.png'),\n 'sqlshell' => array(\n 'link' => '%application%/admin/sqlshell.php',\n 'name' => _(\"S_QL Shell\"),\n 'icon' => 'sql.png'),\n 'cmdshell' => array(\n 'link' => '%application%/admin/cmdshell.php',\n 'name' => _(\"_CLI\"),\n 'icon' => 'shell.png'),\n );\n}" ]
[ "0.6323772", "0.6295506", "0.6282079", "0.62404495", "0.61155045", "0.6108016", "0.60994554", "0.6085738", "0.60546404", "0.6034158", "0.60072184", "0.6005542", "0.6003586", "0.6001655", "0.59801465", "0.5959675", "0.59560895", "0.59550446", "0.5940151", "0.59302866", "0.59210855", "0.59153503", "0.5914818", "0.5885834", "0.58852667", "0.58711725", "0.5869687", "0.5852177", "0.5852012", "0.5851046" ]
0.69647545
0
Get the real class name of a class name that could be a proxy.
private function getRealClassName(string $className): string { // __CG__: Doctrine Common Marker for Proxy (ODM < 2.0 and ORM < 3.0) // __PM__: Ocramius Proxy Manager (ODM >= 2.0) $positionCg = strrpos($className, '\\__CG__\\'); $positionPm = strrpos($className, '\\__PM__\\'); if (false === $positionCg && false === $positionPm) { return $className; } if (false !== $positionCg) { return substr($className, $positionCg + 8); } $className = ltrim($className, '\\'); return substr( $className, 8 + $positionPm, strrpos($className, '\\') - ($positionPm + 8) ); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "private function getClassName(): string\n {\n return (new \\ReflectionClass($this))->getShortName();\n }", "public function getProxyName();", "private function _getFullClassname()\n {\n $this->_className = get_called_class();\n if( strpos( $this->_className, \"__CG__\" ) !== false )\n {\n $this->_className = substr( $this->_className, strpos( $this->_className, \"__CG__\" ) + 6 );\n }\n return $this->_className;\n }", "function get_class_name();", "public function getClassName()\n {\n return stubClassLoader::getFullQualifiedClassName(__CLASS__);\n }", "protected function getClassName(): string\n {\n $pos = ($pos = strrpos(static::class, '\\\\')) !== false ? $pos + 1 : 0;\n\n return substr(static::class, $pos);\n }", "public function getClassName()\n {\n if (false !== $pos = strrpos($this->class, '\\\\')) {\n return substr($this->class, $pos + 1);\n }\n\n return $this->class;\n }", "private static function getClassName() {\n $className = self::getCompleteClassName();\n $path = explode('\\\\', $className);\n\n return strtolower(array_pop($path));\n }", "public function getClassName();", "public function getClassName();", "public function getClassName();", "public function getClassName();", "public function getResolvedClass(): Name;", "private function getClassFromName(string $name)\n {\n return substr($name, strrpos('\\\\', $name));\n }", "function getClassName()\r\n\t{\r\n\t\treturn Clazz::getQualifiedName($this);\r\n\t}", "public function getClassName()\n {\n return substr(get_class($this), 18);\n }", "public function getClassName()\n {\n return join('', array_slice(explode('\\\\', get_class($this)), -1));\n }", "protected function getClass(): string\n {\n return strtolower($this->handleBackslashes(\n get_class($this->manager->getModel())\n ));\n }", "public static function hookableClassName(): string;", "public abstract function getClassName();", "public function getClassName(){\n \n $ret_str = '';\n \n if($type = $this->findType()){\n \n $ret_str = $this->findClassName($type);\n \n }//if\n \n return $ret_str;\n \n }", "private function getClassName($entity)\n {\n return $entity instanceof \\Doctrine\\ORM\\Proxy\\Proxy ?\n get_parent_class($entity) :\n get_class($entity);\n }", "public function getClassname(): string\n {\n return $this->classname;\n }", "public static function className()\n {\n $className = get_called_class();\n // For namespaces: DaftSearch\\Query etc.\n if ($postfixName = strrchr($className, '\\\\')) {\n $className = substr($postfixName, 1);\n }\n // convert Camel case to underscore lowercase: SearchSale -> search_sale\n $name = strtolower(preg_replace('/([a-z])([A-Z])/', '$1_$2', $className));\n return $name;\n }", "private static function getCompleteClassName() {\n return get_called_class();\n }", "abstract public static function getClassName();", "public function getClassName(): string\n {\n return $this->vo->class_name;\n }", "private function getClassName(string $name):?string\n {\n\n // Initialize\n $class_name = null;\n\n // Check defind services, and class name\n if (isset($this->services[$name]) && is_callable($this->services[$name])) { \n $class_name = 'closure';\n } elseif (isset($this->services[$name])) { \n $class_name = $this->services[$name][0];\n } elseif (class_exists($name)) { \n $class_name = $name;\n }\n\n // Return\n return $class_name;\n\n }", "public static function getClassName()\n {\n $class = get_called_class();\n $class = explode(\"\\\\\", $class);\n return end($class);\n }", "public function getClassName() {\n return xp::nameOf(get_class($this));\n }" ]
[ "0.68647987", "0.68300134", "0.6794457", "0.6766295", "0.67249334", "0.66840494", "0.66715044", "0.66525656", "0.66188973", "0.66188973", "0.66188973", "0.66188973", "0.6611108", "0.66040844", "0.6582295", "0.658115", "0.65485895", "0.65445316", "0.6522878", "0.6519833", "0.64704406", "0.6459659", "0.6452782", "0.64510775", "0.64475864", "0.6433382", "0.6409393", "0.6390095", "0.6388001", "0.6385582" ]
0.7215261
0
Constructor: resets object and sets geocoder instance and column number
public function __construct(\Geocoder\Geocoder $geocoder, $column, $delimiter = self::DEFAUL_DELIMITER) { $this->reset(); $this->setGeocoder($geocoder); $this->setColumn($column); $this->setDelimiter($delimiter); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function __construct()\n\t{\n\t\t$this->_columns=new TMap;\n\t}", "public function __construct(Geocode $geocode)\n {\n parent::__construct();\n\n $this->geocode = $geocode;\n }", "public function __construct(Geocoder $geocoder)\n {\n parent::__construct();\n $this->geocoder = $geocoder;\n }", "public function __construct(Geocoder $geocoder)\n {\n $this->geocoder = $geocoder;\n }", "public function __construct() {\n $this->startRow = 1;\n $this->endRow = 100;\n $this->columns = $this->rangeColumns('A', 'AO');\n }", "function __construct($geoLocation)\r\n {\r\n $this->countryName = $geoLocation['countryName'];\r\n $this->countryCode = $geoLocation['countryCode'];\r\n $this->latitude = floatval($geoLocation['latitude']);\r\n $this->longitude = floatval($geoLocation['longitude']);\r\n $this->continentCode = $geoLocation['continentCode'];\r\n $this->region = $geoLocation['region'];\r\n $this->city = $geoLocation['city'];\r\n }", "public function initialize()\n {\n $this->setSource('geography');\n }", "public function __construct($house_no = null, $house_no_addition = null, $postcode = null, $streetname = null, $city = null, $district = null, $province = null, $distance = null, $x = null, $y = null, $latitude = null, $longitude = null)\n {\n $this\n ->setHouse_no($house_no)\n ->setHouse_no_addition($house_no_addition)\n ->setPostcode($postcode)\n ->setStreetname($streetname)\n ->setCity($city)\n ->setDistrict($district)\n ->setProvince($province)\n ->setDistance($distance)\n ->setX($x)\n ->setY($y)\n ->setLatitude($latitude)\n ->setLongitude($longitude);\n }", "public function __construct(Geocoder $geocoder, Cache $cache)\n {\n $this->geocoder = $geocoder;\n $this->cache = $cache;\n }", "function __construct()\n {\n parent::__construct();\n $this->setTableName('t_item_location');\n $this->setPrimaryKey('fk_i_item_id');\n $array_fields = array(\n 'fk_i_item_id',\n 'fk_c_country_code',\n 's_country',\n 's_address',\n 's_zip',\n 'fk_i_region_id',\n 's_region',\n 'fk_i_city_id',\n 's_city',\n 'fk_i_city_area_id',\n 's_city_area',\n 'd_coord_lat',\n 'd_coord_long'\n );\n $this->setFields($array_fields);\n }", "public function __construct()\n {\n parent::__construct();\n\n $this->updater = new GeoIPUpdater();\n }", "function __construct() {\n $this->excelOperator=new ExcelOperator();\n $this->arrayCoords=array();\n $this->distancesMatrix=array();\n $this->arrayCoordsSecuence=array();\n $this->stringSecuenceCoords=\"\";\n }", "function __construct()\n {\n parent::__construct();\n $this->setTableName('t_city');\n $this->setPrimaryKey('pk_i_id');\n $this->setFields( array('pk_i_id', 'fk_i_region_id', 's_name', 'fk_c_country_code', 'b_active', 's_slug') );\n }", "public function __construct()\n\t\t{\n\t\t$csvReader = new \\Example\\Model\\CSVReader($_SERVER['DOCUMENT_ROOT'] . '/states.tsv', true, \"\\t\");\n\n\t\tforeach ($csvReader as $index => $state)\n\t\t\t{\n\t\t\t$state['index'] = $index;\n\t\t\t$this->states[$index] = $state;\n\t\t\t}\n\t\t}", "public function geocode()\n {\n $result = $this->_geocoder->geocodeQuery(GeocodeQuery::create($this->address()));\n\n if ($result instanceof \\Geocoder\\Model\\AddressCollection) {\n $address = $result->first();\n\n $this->setCoordinates($address->getCoordinates()->getLatitude(),$address->getCoordinates()->getLongitude());\n }\n }", "public function __construct($geolocation)\n {\n $this->geolocation = $geolocation;\n }", "public function __construct()\n {\n parent::__construct();\n\n $this->setContainerId('map');\n $this->setZoom(14);\n $this->setWidth(350);\n $this->setHeight(300);\n }", "public function reset()\n {\n $this->values[self::COORDINATE_TYPE] = null;\n $this->values[self::LONGITUDE] = null;\n $this->values[self::LATITUDE] = null;\n $this->values[self::TIMESTAMP] = null;\n }", "private function init()\n {\n $this->lineNumber = 0;\n $this->currentIndex = -1;\n $this->currentRow = null;\n $this->isInitialized = true;\n $this->next();\n }", "public function __construct() {\n $this->reset();\n }", "public function __construct() {\n $this->reset();\n }", "public function __construct() {\n $this->reset();\n }", "public function __construct() {\n $this->reset();\n }", "public function __construct() {\n $this->reset();\n }", "public function __construct() {\n $this->reset();\n }", "public function __construct() {\n $this->reset();\n }", "public function __construct() {\n $this->reset();\n }", "public function __construct() {\n $this->reset();\n }", "public function __construct() {\n $this->reset();\n }", "public function __construct() {\n $this->reset();\n }" ]
[ "0.6147443", "0.60276926", "0.60039145", "0.597682", "0.5745098", "0.56921977", "0.5644873", "0.56326103", "0.55290323", "0.55250496", "0.5497407", "0.54348516", "0.5414309", "0.5404907", "0.5388509", "0.5383142", "0.53673756", "0.5349259", "0.5341095", "0.5327718", "0.5327718", "0.5327718", "0.5327718", "0.5327718", "0.5327718", "0.5327718", "0.5327718", "0.5327718", "0.5327718", "0.5327718" ]
0.6243668
0
Processes input line, returns original line with added columns: latitude and longitude
public function processLine($line) { $line = trim($line); $this->processedCount++; $fields = explode($this->delimiter, $line); $address = $fields[$this->column] ? $fields[$this->column] : ''; $latitude = $longitude = self::DATA_NOT_FOUND; if ($address) { try { $result = $this->geocoder->geocode($address); $latitude = $result->getLatitude(); $longitude = $result->getLongitude(); } catch (Exception $E) { $this->notFoundData[] = $address; $this->notFoundCount++; } } return implode($this->delimiter, array_merge($fields, array($latitude, $longitude))); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function get_coordinates($line)\n\t{\n\t\tpreg_match('/^([A-Za-z])(\\d*).(\\d*.\\d*).([A-Za-z])(\\d*).(\\d*.\\d*)/', $line, $coords);\n\t\t\n\t\t$lat_dir = $coords[1];\n\t\t$lat_deg = $coords[2];\n\t\t$lat_min = $coords[3];\n\t\t\n\t\t$lng_dir = $coords[4];\n\t\t$lng_deg = $coords[5];\n\t\t$lng_min = $coords[6];\n\t\t\n\t\t$lat_deg = ($lat_deg*1.0) + ($lat_min/60.0);\n\t\t$lng_deg = ($lng_deg*1.0) + ($lng_min/60.0);\n\t\t\n\t\tif(strtolower($lat_dir) == 's')\n\t\t\t$lat_deg = '-'.$lat_deg;\n\t\t\n\t\tif(strtolower($lng_dir) == 'w')\n\t\t\t$lng_deg = $lng_deg*-1;\n\t\t\n\t\t/* Return container */\n\t\t$coords = array(\n\t\t\t'Route_FixLat' => $lat_deg,\n\t\t\t'Route_FixLon' => $lng_deg\n\t\t);\n\t\t\n\t\treturn $coords;\n\t}", "function read_gps_from_file($directory) {\n $ret = array();\n// echo 'read_gps_from_file<br>';\n\n $myfile = fopen(\"$directory/gps.csv\", \"r\") or die(\"Unable to open file!\");\n while (!feof($myfile)) {\n\n //Get one line\n $line = fgets($myfile);\n\n // Ignore empty lines\n if (strlen($line) == 0)\n continue;\n\n // Ignore comment lines\n if ($line[0] == '#')\n continue;\n\n// list($filename, $lat, $lon) = explode(',', $line);\n// echo \"1 myfile=$myfile, line=$line. <br>\";\n// trigger_error(\"read_gps_from_file: line=>>>$line<<<\");\n\n $parts = array();\n preg_match('/(.+)\\t(\\d+\\.\\d+)\\s(\\d+\\.\\d+)\\t(.+)\\t(.+)/', $line, $parts);\n// echo \"count parts=\" . count($parts) . \"<br>\";\n $filename = $parts[1];\n $lat = $parts[2];\n $lon = $parts[3];\n $title = $parts[4];\n $description = $parts[5];\n\n\n// echo \"1 filename=$filename, lat=$lat, lon=$lon title=$title description=$description <br>\";\n // Ignore incorrect lines\n// if (strlen($filename) == 0 or strlen($lat) == 0 or strlen($lon) == 0)\n// continue;\n//\n// ///TEST\n// $info = exif_read_data(\"$directory/$filename\", 'ANY_TAG');\n// if ($info == false) {\n// trigger_error(\">>>>>>>>>>>>>>>>>>>>>$directory/$filename: no EXIFs\");\n// } else {\n// $t = $info['title'];\n// trigger_error(\">>>>>>>>$directory/$filename: title=$t\");\n// }\n ///ENDTEST\n // echo \"3 myfile=$myfile, line=$line. <br>\";\n// $filename = substr($filename, 2);\n// $res = array();\n// preg_match('/\"(\\d+\\.\\d+) \\w/', $lat, $res);\n// $lat = $res[1];\n// $res = array();\n// preg_match('/(\\d+\\.\\d+) \\w\"/', $lon, $res);\n// $lon = $res[1];\n//\n// echo $filename . ' ' . $lat . ', ' . $lon . '.<br>';\n// trigger_error(\"read_gps_from_file: Description of file \" . $filename . \": >>>\" . $description . \"<<<\");\n $gps = array();\n $gps['lon'] = $lon;\n $gps['lat'] = $lat;\n $gps['title'] = $title;\n $gps['description'] = $description;\n $ret[$filename] = $gps;\n\n// echo \"$filename $lat $lon $title $description <br>\";\n }\n fclose($myfile);\n\n// echo var_dump($ret) . '<br>';\n return $ret;\n}", "function process_line($line) {\n\n\t$retval = \"\";\n\n\t$pattern = \"/^([^\\[]+) (.*)$/\";\n\t$pattern = \"/^([^(\\[|{)]+) (.*)$/\";\n\tpreg_match($pattern, $line, $results);\n\n\t$timestamp = $results[1];\n\t$json = $results[2];\n\n\t$data = json_decode($json, true);\n\n\tif (is_array($data)) {\n\n\t\tif (!isset($data[\"error\"])) {\n\n\t\t\tforeach ($data as $key => $value) {\n\t\t\t\t$row = add_timestamp($value, $timestamp);\n\t\t\t\t$retval .= $row . \"\\n\";\n\n\t\t\t}\n\n\t\t} else {\n\t\t\t//\n\t\t\t// We got some kind error, so insert our timestamp and that's it\n\t\t\t//\n\t\t\t$data[\"_timestamp\"] = $timestamp;\n\t\t\t$row = json_encode($data);\n\t\t\t$retval .= $row . \"\\n\";\n\n\t\t}\n\n\t} else {\n\t\tprint \"ERROR: I don't know what to do with this data: $line\\n\";\n\n\t}\n\n\treturn($retval);\n\n}", "public function processLine($line);", "protected function parseLine($line)\n {\n //\tDoes nothing, like the goggles.\n return $line;\n }", "function decode_line($line)\n{\n\t$data = array_map(\"decode_field\", explode(FIELD_SEP, $line));\n\n\t// Add text keys for default fields\n\t$data['description'] = $data[0];\n\t$data['timestamp'] = $data[1];\n\t$data['eventid'] = $data[2];\n\t$data['cid'] = $data[3];\n\n\treturn $data;\n}", "function extract1($trkpt){\n\n $attrs = $trkpt ->attributes();\n\n $lat = (float)$attrs[\"lat\"];\n $lon = (float)$attrs[\"lon\"];\n\n $latInRad = pi() / 180 * $lat;\n\n $lonInRad= pi() / 180 * $lon;\n\n return array((float)$latInRad,(float)$lonInRad);\n\n}", "function extract_into_point($row) {\n extract($row);\n return [\n \"ecole_RNE\" => $ecole_RNE,\n \"ecole_lat\" => $ecole_lat,\n \"ecole_long\" => $ecole_long,\n \"ecole_appellation\" => $ecole_appellation,\n\t\t\"CRITERE1\" => $CRITERE1,\n\t\t\"CRITERE2\" => $CRITERE2,\n\t\t\"CRITERE3\" => $CRITERE3,\n\t\t\"CRITERE4\" => $CRITERE4,\n\t\t\"CRITERE5\" => $CRITERE5,\n ];\n}", "public function processLine(string $line): void\n {\n /** @var array<int, string> */\n $entry = str_getcsv($line, \"\\t\");\n\n if (!isset($entry[2])) {\n return; // Header or footer\n }\n\n switch ($entry[2]) {\n case '0':\n if ('0' === $entry[6]) {\n return; // Internal function\n }\n\n $this->handler->functionCall((int)$entry[1], $entry[5], array_slice($entry, 11));\n break;\n case '1':\n $this->handler->markCallAsExited((int)$entry[1]);\n break;\n case 'R':\n $this->handler->returnValue((int)$entry[1], $entry[5]);\n break;\n }\n }", "private function _processLine($line)\n\t{\n\t\treturn explode(',',$line);\n\t}", "private function processline($line)\n {\n\t\t\t$productname=$line[1];\n\n\t\t\tif(trim($line[4])!=\"\")$this->quotearrays[$productname][\"buy\"][\"price\"]=$line[4];\n\t\t\tif(trim($line[5])!=\"\")$this->quotearrays[$productname][\"buy\"][\"discrate\"]=$line[5];\n\t\t\tif(trim($line[6])!=\"\")$this->quotearrays[$productname][\"buy\"][\"discamt\"]=$line[6];\n\t\t\tif(trim($line[7])!=\"\")$this->quotearrays[$productname][\"sell\"][\"price\"]=$line[7];\n\t\t\tif(trim($line[8])!=\"\")$this->quotearrays[$productname][\"sell\"][\"discrate\"]=$line[8];\n\t\t\tif(trim($line[9])!=\"\")$this->quotearrays[$productname][\"sell\"][\"discamt\"]=$line[9];\n }", "public function parseLine($date, $player, $playerdetails, $line) {\n // TODO: Implement me\n }", "public function parseLogLine($line);", "public static function write_line_osm($row)\r\n\t{\r\n\t\r\n\t//\"deal with UTF-8\"\r\n\t$name = Util::getCleanString_osm($row->name);\r\n\t$namegebiet = Util::getCleanString_osm($row->namegebiet);\r\n\t\r\n\t//conversion for the display had to be rewritten\r\n\t$name = Util::convertUpperString($name);\r\n\t$namegebiet = Util::convertUpperString($namegebiet);\r\n\t\r\n\t$tendenz = Util::convertArrow_osm($row->tendenz);\r\n\t$daten_fehler = Util::show_daten_fehler_osm($row->daten_fehler);\r\n\r\n\t//row\r\n\techo \"putTidalScaleMarker($row->pegelnummer, $row->lon, $row->lat, '\".addslashes($row->pegelname).\"', '$name', '$namegebiet', '$row->messwert', '$tendenz', '$row->pnp', '$row->datum', '$row->uhrzeit', '$daten_fehler');\\n\";\r\n\t}", "private function processData($line)\r\n {\r\n //set the line number in case we get an error\r\n $this->_functionName = '@DATA';\r\n $this->_lineNumber['@DATA'] = 0;\r\n $return = $this->processLine($line);\r\n if ($return[0] !== 0) {\r\n //we should always get single lines out of _data\r\n $this->error('Unknown code in _data segment');\r\n }\r\n\r\n return $return[1];\r\n }", "function extractField($line)\n{\n // Find the position of ':', take a substring after it to the end of line and trim whitespace.\n $result = trim(substr($line, strpos($line, \":\") + 1));\n \n return $result;\n}", "protected function processSearchResult($line) {\r\n // Note: just a dummy, not called by default.\r\n return $line[1]; \r\n}", "function process_google_geocoder($data) {\n\t\t$data = explode(',', $data);\n\t\t$return[0] = $data[3] + 0;\n\t\t$return[1] = $data[2] + 0;\n\t\treturn $return;\n\t}", "abstract function fromString($line);", "function readIngredientLine($line)\n {\n\t$contLastLine = false;\n\t\n\t/*\n\t * Extract the three parts of a ingredient (name, amount, measurement)\n\t * into separate strings. They are separated according to their length:\n\t * amount: columns 0-6\n\t * measurement: columns 8-9\n\t * name: columns 11+\n\t */\n\t$amount = substr( $line, 0, 7); // col 0-6\n\t$measurement = substr( $line, 8, 2); // col 8-9\n\t$name = substr( $line, 11); // col 11+\n\t\n\t$amount = trim($amount);\n\t$measurement = trim($measurement);\n\t$name = trim($name);\n\n\t\n\tif (intval($amount) == 0 ) {\n $amount = $amount;\n } else {\n $amount = $amount;\n //TODO: import fraction conversion\n //$amount = Fraction::strToFloat($amount);\n\t}\n\n\tif ($name != \"\" && $name[0] == '-' && $name[1] != '-') { // continue previous ingredient line.\n\t $contLastLine = true;\n\t trim($name);\n\t $name = trim(preg_replace(\"/^-+/\", \" \", $name)); // remove all leading \"-\" chars\n\t $this->currentIngredient['name'] = htmlspecialchars($name, ENT_QUOTES);;\n //print \"readIngredientLine: Extra matches: $name <br />\\n\";\n\t} else { // just an ordinary ingredient line\n\t $this->currentIngredient['quantity'] = $amount;\n\t $this->setUnit($measurement);\n\t $this->currentIngredient['name'] = htmlspecialchars($name, ENT_QUOTES);\n //print \"readIngredientLine: Ingredient: $name <br />\\n\";\n\t}\n\t\n\treturn $contLastLine;\n }", "private function getLatLongs($str) {\n\t\tif($str) {\n\t\t\t$results = array();\n\t\t\t$latLongPatStr = \"/(.*?)\\\\b((?:\\\\d{1,3}+(?:\\\\.\\\\d{1,7})?) ?°\\\\s?(?:(?:\\\\d{1,3}(?:\\\\.\\\\d{1,3})?)?\\\\s?\\'\".\n\t\t\t\t\"(?:\\\\s|\\\\n|\\\\r\\\\n)?(?:\\\\d{1,3}(?:\\\\.\\\\d{1,3})? ?\\\")?)?+\\\\s??(?:N(?:[,.]|orth)?|S(?:[,.]|outh)?))[,.;]?(?:\\\\s|\\\\n|\\\\r\\\\n)?\".\n\t\t\t\t\"(?:L(?:ong|at)(?:\\\\.|itude)?[:,]?(?:\\\\s|\\\\n|\\\\r\\\\n)?)?((?:\\\\d{1,3}+(?:\\\\.\\\\d{1,7})?) ?°\".\n\t\t\t\t\"(?:\\\\s|\\\\n|\\\\r\\\\n)?(?:(?:\\\\d{1,3}(?:\\\\.\\\\d{1,3})?)? ?\\'(?:\\\\s|\\\\n|\\\\r\\\\n)?(?:\\\\d{1,3}(?:\\\\.\\\\d{1,3})? ?\\\")?)?+\".\n\t\t\t\t\"\\\\s?(?:E(?:[,.]|ast)?|W(?:[,.]|est)?))/is\";\n\t\t\tif(preg_match($latLongPatStr, $str, $latLongMatches)) {//$i=0;foreach($latLongMatches as $latLongMatch) echo \"\\nline 4699, latLongMatches[\".$i++.\"] = \".$latLongMatch.\"\\n\";\n\t\t\t\tarray_push($results, array(\"latitude\" => str_replace(\"\\n\", \"\", trim($latLongMatches[2], \" ,.;\\r\\n\")), \"longitude\" => str_replace(\"\\n\", \"\", trim($latLongMatches[3], \" ,.;\\r\\n\"))));\n\t\t\t\t$temp = $this->getLatLongs($latLongMatches[1]);\n\t\t\t\tif($temp != null && count($temp) > 0) return array_merge_recursive($results, $this->getLatLongs($latLongMatches[1]));\n\t\t\t\telse return $results;\n\t\t\t}\n\t\t\t//getLongLats\n\t\t\t$latLongPatStr = \"/(.*?)\\\\b((?:\\\\d{1,3}+(?:\\\\.\\\\d{1,7})?) ?°\\\\s?(?:(?:\\\\d{1,3}(?:\\\\.\\\\d{1,3})?)?\\\\s?\\'\".\n\t\t\t\t\"(?:\\\\s|\\\\n|\\\\r\\\\n)?(?:\\\\d{1,3}(?:\\\\.\\\\d{1,3})? ?\\\")?)?+\\\\s??(?:E(?:[,.]|ast)?|W(?:[,.]|est)?))[,.;]?(?:\\\\s|\\\\n|\\\\r\\\\n)?\".\n\t\t\t\t\"(?:L(?:ong|at)(?:\\\\.|itude)?[:,]?(?:\\\\s|\\\\n|\\\\r\\\\n)?)?((?:\\\\d{1,3}+(?:\\\\.\\\\d{1,7})?) ?°\".\n\t\t\t\t\"(?:\\\\s|\\\\n|\\\\r\\\\n)?(?:(?:\\\\d{1,3}(?:\\\\.\\\\d{1,3})?)? ?\\'(?:\\\\s|\\\\n|\\\\r\\\\n)?(?:\\\\d{1,3}(?:\\\\.\\\\d{1,3})? ?\\\")?)?+\".\n\t\t\t\t\"\\\\s?(?:N(?:[,.]|orth)?|S(?:[,.]|outh)?))/is\";\n\t\t\tif(preg_match($latLongPatStr, $str, $latLongMatches)) {//$i=0;foreach($latLongMatches as $latLongMatch) echo \"\\nline 4711, latLongMatches[\".$i++.\"] = \".$latLongMatch.\"\\n\";\n\t\t\t\tarray_push($results, array(\"longitude\" => str_replace(\"\\n\", \"\", trim($latLongMatches[2], \" ,.;\\r\\n\")), \"latitude\" => str_replace(\"\\n\", \"\", trim($latLongMatches[3], \" ,.;\\r\\n\"))));\n\t\t\t\t$temp = $this->getLatLongs($latLongMatches[1]);\n\t\t\t\tif($temp != null && count($temp) > 0) return array_merge_recursive($results, $this->getLatLongs($latLongMatches[1]));\n\t\t\t\telse return $results;\n\t\t\t}\n\t\t\t//get latLongs with direction preceding coordinates. Possible Non-Integer seconds\n\t\t\t$latLongPatStr = \"/(.*?)\\\\b(N(?:[,.]|orth)?|S(?:[,.]|outh)?) ?\".\n\t\t\t\t\"(\\\\d{1,2} ?°\\\\s?\\\\d{1,2} ?'\\\\s?\\\\d{1,2}(?:\\\\.\\\\d{1,3})?\\\")[:;,.]?\\\\s{0,2}\".\n\t\t\t\t\"(E(?:ast)?|(?:W|VV)(?:est)?) ?(\\\\d{1,3}+ ?°\\\\s?\\\\d{1,2} ?'?\\\\s?\\\\d{1,2}(?:\\\\.\\\\d{1,3})?\\\")/is\";\n\t\t\tif(preg_match($latLongPatStr, $str, $latLongMatches)) {//$i=0;foreach($latLongMatches as $latLongMatch) echo \"\\nline 4729, latLongMatches[\".$i++.\"] = \".$latLongMatch.\"\\n\";\n\t\t\t\t$longitude = str_replace(array(\"\\n\", \" \"), \"\", trim($latLongMatches[5], \" ,.;\\n\\r\"));\n\t\t\t\tarray_push\n\t\t\t\t(\n\t\t\t\t\t$results,\n\t\t\t\t\tarray\n\t\t\t\t\t(\n\t\t\t\t\t\t\"latitude\" => str_replace(array(\"\\n\", \" \"), \"\", trim($latLongMatches[3], \" ,.;\\r\\n\")).strtoupper(substr(trim($latLongMatches[2]), 0, 1)),\n\t\t\t\t\t\t\"longitude\" => $longitude.str_replace(\"VV\", \"W\", strtoupper(trim($latLongMatches[4])))\n\t\t\t\t\t)\n\t\t\t\t);\n\t\t\t\t$temp = $this->getLatLongs($latLongMatches[1]);\n\t\t\t\tif($temp != null && count($temp) > 0) return array_merge_recursive($results, $temp);\n\t\t\t\telse return $results;\n\t\t\t}\n\t\t\t//get latLongs with direction preceding coordinates. Integer values.\n\t\t\t$latLongPatStr = \"/(.*?)\\\\b(N(?:[,.]|orth)?|S(?:[,.]|outh)?) ?\".\n\t\t\t\t\"(\\\\d{1,2}+ ?°\\\\s?(?:(?:\\\\d{1,2})\\\\s?'\\\\s?(?:\\\\d{1,2} ?\\\")?)?)[:;,.]?\\\\s{0,2}\".\n\t\t\t\t\"(E(?:ast)?|(?:W|VV)(?:est)?) ?(\\\\d{1,3}+ ?°\\\\s?(?:\\\\d{1,2} ?'\\\\s?(?:\\\\d{1,2} ?\\\")?)?+)/is\";\n\t\t\tif(preg_match($latLongPatStr, $str, $latLongMatches)) {//$i=0;foreach($latLongMatches as $latLongMatch) echo \"\\nline 4719, latLongMatches[\".$i++.\"] = \".$latLongMatch.\"\\n\";\n\t\t\t\tarray_push\n\t\t\t\t(\n\t\t\t\t\t$results,\n\t\t\t\t\tarray\n\t\t\t\t\t(\n\t\t\t\t\t\t\"latitude\" => str_replace(array(\"\\n\", \" \"), \"\", trim($latLongMatches[3], \" ,.;\\r\\n\")).strtoupper(substr(trim($latLongMatches[2]), 0, 1)),\n\t\t\t\t\t\t\"longitude\" => str_replace(array(\"\\n\", \" \"), \"\", trim($latLongMatches[5], \" ,.;\\n\\r\")).str_replace(\"VV\", \"W\", strtoupper(trim($latLongMatches[4])))\n\t\t\t\t\t)\n\t\t\t\t);\n\t\t\t\t$temp = $this->getLatLongs($latLongMatches[1]);\n\t\t\t\tif($temp != null && count($temp) > 0) return array_merge_recursive($results, $temp);\n\t\t\t\telse return $results;\n\t\t\t}\n\t\t\t//get latLongs with direction preceding coordinates. No seconds. Non-Integer values\n\t\t\t$latLongPatStr = \"/(.*?)\\\\b(N(?:[,.]|orth)?|S(?:[,.]|outh)?) ?\".\n\t\t\t\t\"(\\\\d{1,2}+(?:\\\\.\\\\d{1,6})? ?°\\\\s?(?:(?:\\\\d{1,2})(?:\\\\.\\\\d{1,3})?\\\\s?')?)[:;,.]?\\\\s{0,2}\".\n\t\t\t\t\"(E(?:ast)?|(?:W|VV)(?:est)?) ?(\\\\d{1,3}+(?:\\\\.\\\\d{1,6} ?°| ?°\\\\s?\\\\d{1,2}(?:\\\\.\\\\d{1,3})? ?'?))/is\";\n\t\t\tif(preg_match($latLongPatStr, $str, $latLongMatches)) {//$i=0;foreach($latLongMatches as $latLongMatch) echo \"\\nline 4729, latLongMatches[\".$i++.\"] = \".$latLongMatch.\"\\n\";\n\t\t\t\t$longitude = str_replace(array(\"\\n\", \" \"), \"\", trim($latLongMatches[5], \" ,.;\\n\\r\"));\n\t\t\t\tif(!(preg_match(\"/^.*°$/\", $longitude) || preg_match(\"/^.*'$/\", $longitude))) $longitude .= \"'\";\n\t\t\t\tarray_push\n\t\t\t\t(\n\t\t\t\t\t$results,\n\t\t\t\t\tarray\n\t\t\t\t\t(\n\t\t\t\t\t\t\"latitude\" => str_replace(array(\"\\n\", \" \"), \"\", trim($latLongMatches[3], \" ,.;\\r\\n\")).strtoupper(substr(trim($latLongMatches[2]), 0, 1)),\n\t\t\t\t\t\t\"longitude\" => $longitude.str_replace(\"VV\", \"W\", strtoupper(trim($latLongMatches[4])))\n\t\t\t\t\t)\n\t\t\t\t);\n\t\t\t\t$temp = $this->getLatLongs($latLongMatches[1]);\n\t\t\t\tif($temp != null && count($temp) > 0) return array_merge_recursive($results, $temp);\n\t\t\t\telse return $results;\n\t\t\t}\n\t\t}\n\t}", "abstract protected function parseLine($db,$data, $user_id);", "function GetLocationLine($str_lid) {\n\t\t$str_sql = \"SELECT * FROM gr_locations WHERE id=? LIMIT 1\";\n\t\t$result = $this->db->query($str_sql, array($str_lid))->result();\n\t\treturn $result[0];\n\t}", "function read_list_from_file($directory) {\n $ret = array();\n// echo 'read_list_from_file<br>';\n\n $nr = 0;\n $myfile = fopen(\"$directory/gps.csv\", \"r\") or die(\"Unable to open file!\");\n while (!feof($myfile)) {\n\n //Get one line\n $line = fgets($myfile);\n\n // Ignore empty lines\n if (strlen($line) == 0)\n continue;\n\n // Ignore comment lines\n if ($line[0] == '#')\n continue;\n// echo \"line=$line<br>\";\n// list($filename, $lat, $lon) = explode(',', $line);\n// echo \"1 myfile=$myfile, line=$line. <br>\";\n// trigger_error(\"read_gps_from_file: line=>>>$line<<<\");\n\n $parts = array();\n preg_match('/(.+)\\t(\\d+\\.\\d+)\\s(\\d+\\.\\d+)\\t(.+)\\t(.+)/', $line, $parts);\n// echo \"count parts=\" . count($parts) . \"<br>\";\n $filename = $parts[1];\n $lat = $parts[2];\n $lon = $parts[3];\n $title = $parts[4];\n $description = $parts[5];\n\n// echo \"$filename, $title, $description, $lon, $lat <br>\";\n $item = array();\n $item['filename'] = $filename;\n $item['lon'] = $lon;\n $item['lat'] = $lat;\n $item['title'] = $title;\n $item['description'] = $description;\n\n// echo \"Add to item nr $nr=\" . $item['filename'] . \" <br>\";\n\n $ret[++$nr] = $item;\n }\n fclose($myfile);\n\n// echo 'Returning ret array with size' . count($ret) . \"<br>\";\n// echo 'Item 1 has items=' . count($ret[1]) . \"<br>\";\n// echo \"Content=\" . $ret[1]['filename'] . \"<br>\";\n// echo \"Content=\" . $ret['1']['filename'] . \"<br>\";\n return $ret;\n}", "private function processLine($line) {\n preg_match(\"/a href=\\\"\\/torrent.*>(.*)\\<\\/a>\\<\\/div>/i\", $line, $nameMatch);\n $name = $nameMatch[1];\n\n preg_match(\"/a href=\\\"(magnet[^ ]*)\\\"/i\", $line, $magnetMatch);\n $magnet = urlencode($magnetMatch[1]);\n\n preg_match(\"/\\<td align=\\\"right\\\">([0-9]*)\\<\\/td>/i\", $line, $seedMatch);\n $seeds = $seedMatch[1];\n \n return array('name' => $name, 'magnet' => $magnet, 'seeds' => $seeds);\n }", "public static function write_line($row)\r\n\t{\r\n\t// lat lon\r\n\tprint($row->lat.\"\\t\".$row->lon.\"\\t\");\r\n\r\n\t// icon\r\n\tprint(\"./resources/places/tidal_scale_32.png\\t\");\r\n\r\n\t// iconSize\r\n\t//print(\"32,32\\t\");\r\n\tprint(\"24,24\\t\");\r\n\r\n\t// iconOffset\r\n\t//print(\"-16,-16\\t\");\r\n\tprint(\"-12,-12\\t\");\r\n\r\n\t// title\r\n\tprint(\"<nobr>\".$row->pegelname.\"</nobr>\\t\");\r\n\t\r\n\t\r\n\t//\"deal with UTF-8\"\r\n\t$name = Util::getCleanString($row->name);\r\n\t$namegebiet = Util::getCleanString($row->namegebiet);\r\n\t\r\n\t//conversion for the display\r\n\t$name = Util::convertUpperString($name);\r\n\t$namegebiet = Util::convertUpperString($namegebiet);\r\n\t\r\n\t$tendenz = Util::convertArrow($row->tendenz);\r\n\t$daten_fehler = Util::show_daten_fehler($row->daten_fehler);\r\n\r\n\t// description\r\n\tprint(\"<nobr>\".$name.\", \".$namegebiet.\"<br><br>Messwert&nbsp;Tendenz PnP<br>\".$row->messwert.\" \".$tendenz.\" \".$row->pnp.\"<br><br>\".$row->datum.\" - \".$row->uhrzeit.\"<br>\".$daten_fehler.\"<br><a href=\\\"http://www.pegelonline.wsv.de/gast/stammdaten?pegelnr=\".$row->pegelnummer.\"\\\">Ganglinie</a></nobr><br/>\");\r\n\r\n\t//popupSize\r\n\t print(\"\\t\");\r\n\t print(\"250,220\");\r\n\t print(\"\\n\");\r\n\t}", "public abstract function format_line($item);", "public function line($string);", "function decoup_params($line)\n{\n return explode(' ', $line);\n}", "public function lineToData($line, array $layout)\n {\n $line = explode('|', rtrim($line));\n\n $result = array();\n $index=0;\n foreach ($layout as $name => $type) {\n // Populate associative array\n if (isset($line[$index])) {\n $result[$name] = $line[$index];\n } else {\n $result[$name] = false;\n }\n\n // CSV to array\n if (strpos($result[$name], ',') !== false) {\n $result[$name] = explode(',', $result[$name]);\n }\n\n // Sanitize\n switch ($type) {\n case 'bool':\n $result[$name] = ($result[$name]?true:false);\n break;\n case 'int':\n if ($result[$name] !== '') {\n $result[$name] *= 1;\n }\n break;\n case 'storedarray':\n $result[$name] = (rtrim($result[$name])?$this->destorify(unserialize(rtrim($result[$name]))):array());\n // Also carry on to ensure array and destorify\n case 'array':\n if (!is_array($result[$name])) {\n $result[$name] = ($result[$name]?array($result[$name]):array());\n }\n // Also carry on to default to destorify\n default:\n $result[$name] = $this->destorify($result[$name]);\n break;\n }\n\n $index++;\n }\n\n return $result;\n }" ]
[ "0.6896239", "0.56811124", "0.55894613", "0.5490206", "0.5459773", "0.5415092", "0.53278315", "0.5202049", "0.5160155", "0.51518327", "0.5147003", "0.51384413", "0.50771123", "0.49861822", "0.49744835", "0.49684578", "0.4946895", "0.4943832", "0.4938479", "0.48762217", "0.48292974", "0.47918674", "0.476188", "0.4753654", "0.47263837", "0.47228715", "0.4720802", "0.47131822", "0.4702504", "0.46922696" ]
0.7519908
0
Returns count of not found items
public function getNotFoundCount() { return $this->notFoundCount; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function getNumItemsFail()\n {\n return $this->tracker->getNumProcessedItems(Tick::FAIL);\n }", "public function count(): int {\n return $this->items->count();\n }", "public function count(): int {\n return count($this->items);\n }", "public function count() {\n\t\treturn count( $this->items );\n\t}", "public function no_items();", "public function count() {\n\t\treturn $this->fetchItems(true, '', 0, null, true);\n\t}", "public function count() {\n\t\treturn $this->items->count();\n\t}", "public function count() {\n return count( $this->_items );\n }", "public function getNumFound() { return $this->numFound; }", "public function count() {\n \n return count($this->itemsArr);\n \n }", "public function getNumNotFiltered()\n {\n // TODO: Implement getNumNotFiltered() method.\n }", "public function getCount() {\n return count($this->items);\n }", "public function countPossible(): int\n {\n return array_get($this->rawEsReturn, 'hits.total', 0);\n }", "public function count() {\n return count($this->items);\n }", "public function failedCount();", "public function count(): int\n {\n return count($this->items);\n }", "public function count(): int\n {\n return count($this->items);\n }", "public function count(): int\n {\n return count($this->items);\n }", "public function count(): int\n {\n return count($this->items);\n }", "public function count(): int\n {\n return count($this->items);\n }", "public function count(): int\n {\n return count($this->items);\n }", "public function count(): int\n {\n return count($this->items);\n }", "public function count()\n\t{\n\t\treturn count($this->items);\n\t}", "public function count()\n {\n return count($this->items);\n }", "public function count()\n {\n return count($this->items);\n }", "public function count()\n {\n return count($this->items);\n }", "public function count()\n {\n return count($this->items);\n }", "public function count()\n {\n return count($this->items);\n }", "public function count()\n {\n return count($this->items);\n }", "public function count()\n {\n return count($this->items);\n }" ]
[ "0.7078261", "0.68156224", "0.6812767", "0.6773785", "0.67604905", "0.6736762", "0.6719818", "0.67006385", "0.6680935", "0.66537714", "0.66501933", "0.65959656", "0.6591139", "0.6577521", "0.6575451", "0.6573827", "0.6573827", "0.6573827", "0.6573827", "0.6573827", "0.6573827", "0.6573827", "0.6542333", "0.6519012", "0.6519012", "0.6519012", "0.6519012", "0.6519012", "0.6519012", "0.6519012" ]
0.7317555
0
Indicates if the profile has ended
public function hasEnded();
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function hasEnded() {\n\t\treturn false;\n\t}", "public function ended()\n {\n return $this->cancelled() && ! $this->onGracePeriod();\n }", "public function isEnded()\n {\n return $this->status == self::STATUS_ENDED;\n }", "private function ended()\n {\n if ($this->won()) {\n $this->getGame()->getGameStatus()->setStatus(Game::WON);\n } else if ($this->hanged()) {\n $this->getGame()->getGameStatus()->setStatus(Game::HANGED);\n } else {\n return false;\n }\n\n return true;\n }", "public function isEnded(): bool\n {\n return $this->ended;\n }", "public function isEnded()\n {\n return $this->isEnded;\n }", "public function hasEnded()\n {\n return !is_null($this->ended_at);\n }", "public function has_finished()\n {\n return time() > $this->ends_at;\n }", "public function isComplete();", "public function isComplete(){\n\t\treturn $this->Status == 'Captured' ||\n\t\t\t\t$this->Status == 'Refunded' ||\n\t\t\t\t$this->Status == 'Void';\n\t}", "public function isFinished()\n {\n return $this->status === 'finished';\n }", "public function isFinished() {\r\n\t\t$progress = $this->getProgress();\r\n\t\treturn $progress['remain'] === 0;\r\n\t}", "public function hasFinishedTutorial() : bool {\n return $this->getFetchedData()['Profile']['Settings']['Finished Tutorial'];\n }", "public function isFinished()\n {\n return $this->currentMessage === false ? true : false;\n }", "public function isFinished()\n {\n return $this->currentMessage === false ? true : false;\n }", "function isFinished() { return true; }", "public function isDone() {\n return $this->getEndTime() != null;\n }", "public function hasIsFinished()\n {\n return $this->IsFinished !== null;\n }", "public function IsFinished()\n {\n global $user_id;\n\n // Return by default that is not running\n $toReturn = false;\n\n // If it started and current_epoc has reached total_epocs\n if($this->IsStarted() && $this->total_epocs > 0 && $this->total_epocs == $this->current_epocs)\n {\n $toReturn = true;\n // Update database PID (remove reference)\n $this->UpdatePID(0);\n } \n\n return $toReturn;\n }", "public function isComplete(): bool\n {\n return $this->getCurrentFrame()->isComplete() && $this->getCurrentFrame()->isFinal();\n }", "private function complete_profile(){\n\t\t$this->load->model('resume_model');\n\t\t$user = $this->session->userdata('user');\n\t\t$profile_details = $this->resume_model->get_resume_details_by_user_id($user->id);\n\t\t$profile_education = $this->resume_model->get_resume_edu_by_user_id($user->id);\n\t\t$profile_experience = $this->resume_model->get_experience_by_id($user->id);\n\n\t\treturn ($profile_details != null && ($profile_education != null) && ($profile_experience != null)) ? true : false;\n\n\t}", "public function end()\n {\n if (isset($this->profiles[ $this->currentIndex ])) {\n $current = &$this->profiles[ $this->currentIndex ];\n $current->endTime = microtime(true);\n $current->executeDuration = $current->endTime - $current->startTime;\n $this->currentIndex++;\n }\n }", "public function hasReadingCompleted ()\r\n\t\t\t\t{\r\n\t\t\t\t\treturn $this->readVariables['reachedEnd'];\r\n\t\t\t\t}", "public function isCompleted();", "public function isFinished()\n {\n return parent::isFinished() && $this->isLastChunk;\n }", "private function isFinishable()\n {\n return $this->current > 1;\n }", "protected function done(): bool\n {\n return count(array_unique($this->status)) === 1 && end($this->status) === true;\n }", "public function isFinished() {\n $finished = strlen($this->getWinner());\n\n return $finished;\n }", "private function isFinished()\n {\n return (\n $this->options->currentStep > $this->options->totalSteps ||\n $this->options->verifiedFiles >= $this->options->totalFiles\n );\n }", "public function finished()\n {\n $this->_checkWorkflow(self::STATE_FINISHED, false);\n\n $this->setNewState(self::STATE_FINISHED);\n\n $this->getMethodInstance()->updateRecurringProfileStatus($this);\n\n $this->setState(self::STATE_FINISHED)->save();\n }" ]
[ "0.7198538", "0.7049129", "0.6992052", "0.687066", "0.68663085", "0.68632823", "0.6757905", "0.6752493", "0.67324924", "0.66774786", "0.6647714", "0.6637489", "0.6615626", "0.660762", "0.660762", "0.6603278", "0.65312", "0.6497329", "0.644802", "0.6443075", "0.63994217", "0.6377692", "0.636061", "0.63571876", "0.6333695", "0.6314643", "0.6301917", "0.62939", "0.62807375", "0.62748736" ]
0.7445224
0
Returns the profile end memory usage (in bytes). If the profile has not ended, false is returned.
public function getEndMemoryUsage($formatted = false);
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function getEndPeakMemoryUsage($formatted = false);", "function memory_usage($start = E_MEMORY, $raw = false) {\n\t\t\tif(!is_int($start)) {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t\t// Grab the memory usage since the beginning of the application.\n\t\t\t$memory_usage = memory_get_usage() - $start;\n\t\t\tif($raw) {\n\t\t\t\treturn $memory_usage;\n\t\t\t}\n\t\t\t$shorthand = round(\n\t\t\t\t$memory_usage / pow(1024, 2),\n\t\t\t\t3\n\t\t\t) . 'Mb';\n\t\t\treturn $shorthand;\n\t\t}", "public function getMemUsage()\n {\n return $this->memUsage;\n }", "public function MeasureMemory ()\r\n\t{\r\n\t\treturn (memory_get_usage () - $this->bytes);\r\n\t}", "public static function getMemoryUsage()\n {\n if ( function_exists('memory_get_usage') ) {\n return memory_get_usage(true);\n }\n /*\n * this section is borrowed from a comment in PHP documentation\n * http://www.php.net/manual/en/function.memory-get-usage.php#64156\n */\n $pid = getmypid();\n $exitCode = 0;\n if ( self::getOsType() == self::OS_TYPE_WINDOWS ) {\n $output = array();\n exec('tasklist /FI \"PID eq ' . $pid . '\" /FO LIST', $output , $exitCode);\n if ($exitCode) {\n return false;\n }\n $currentMemory = intval( preg_replace( '/[\\D]/', '', $output[5] ) ); // returns in KB\n $currentMemory *= 1024;\n } else {\n exec(\"ps -eo%mem,rss,pid | grep {$pid}\", $output, $exitCode);\n if ($exitCode) {\n return false;\n }\n $output = explode(\" \", $output[0]);\n //rss is given in 1024 byte units\n $currentMemory = intval($output[1]); // in KB\n $currentMemory *= 1024;\n }\n return $currentMemory;\n }", "public function getCurrentMemoryUsage()\n {\n $this->requiredFunction('memory_get_usage');\n\n return memory_get_usage();\n }", "public function getTotalUsageMemory(){ }", "final public static function RAM()\n {\n if (function_exists('exec') == false) {\n return false;\n }\n\n exec('free -m | grep Mem | awk \\'{ print $2 }\\'', $memory);\n\n return Tools::FormatSize(reset($memory) * 1048576);\n }", "protected function getMemoryUsage(bool $peak = false) : int {\n if ($peak) {\n return memory_get_peak_usage();\n } else {\n return memory_get_usage();\n }\n }", "function memory_get_usage ($real_usage = false) {}", "function memory_usage()\n\t{\n\t\treturn ( ! function_exists('memory_get_usage')) ? '0' : round(memory_get_usage()/1024/1024, 2).'MB';;\n\t}", "public function getMemoryPeakUsage();", "public function getUsage() {\n\t\tif ($this->getData() === FALSE)\n\t\t\treturn FALSE;\n\t\treturn $this->usage;\n\t}", "function memory_get_usage($real_usage = false)\n{\n}", "public function getMemoryUsage();", "public function getMemPeakUsage()\n {\n return $this->memPeakUsage;\n }", "public static function getMemoryUsage()\n {\n return memory_get_usage(true);\n }", "public function hasReadingCompleted ()\r\n\t\t\t\t{\r\n\t\t\t\t\treturn $this->readVariables['reachedEnd'];\r\n\t\t\t\t}", "public function getMemory(): int\n {\n return $this->usage_memory;\n }", "public function getMemoryUsage()\n {\n\treturn array_reduce($this->executedStatements, function($v, $s) { return $v + $s->getMemoryUsage(); });\n }", "public function memoryEnd ($key) {\n \t$this->isDisabled();\n if (!isset($this->debug['memory'][$key])) {\n return;\n }\n \n $start = $this->debug['memory'][$key];\n $end = memory_get_usage();\n\n $result = $end - $start;\n if ($result >= 1000000) {\n \t$return = round($result/1000000,1).' Мб';\n }elseif ($result >= 1000) {\n \t$return = round($result/1000,0).' Кб';\n }else{\n $return = $result.' байт';\n \t\t}\n \n $this->debug['memory'][$key]=$key.': '.$return;\n }", "public function getStartMemoryUsage($formatted = false);", "public function memory_usage( $marker = 'total_execution' )\n\t\t{\n\t\t\tif ( empty( $this->_elapsed[ $marker ] ) )\n\t\t\t{\n\t\t\t\t$this->stop( $marker );\n\t\t\t}\n\n\t\t\t$memory = $this->_elapsed[ $marker ][ 'memory' ];\n\n\t\t\treturn round( $memory / 1024 / 1024, 2 ) . ' MB';\n\t\t}", "protected function memory_exceeded() {\n\t\t$memory_limit = $this->get_memory_limit() * 0.9; // 90% of max memory\n\t\t$current_memory = memory_get_usage( true );\n\t\t$return = false;\n\n\t\tif ( $current_memory >= $memory_limit ) {\n\t\t\t$return = true;\n\t\t}\n\n\t\t/**\n\t\t * Filters whether the process did exceed the allowed memory limit or not.\n\t\t *\n\t\t * @since 4.9.5\n\t\t *\n\t\t * @param bool $return Whether the process did exceed the allowed memory limit or not.\n\t\t * @param static $this This process instance.\n\t\t */\n\t\treturn apply_filters( $this->identifier . '_memory_exceeded', $return, $this );\n\t}", "protected function getMemoryUsage()\n {\n $memory = round(memory_get_usage() / (1024 * 1024), 0); // to get usage in Mo\n $memoryMax = round(memory_get_peak_usage() / (1024 * 1024)); // to get max usage in Mo\n $message = '(RAM : current='.$memory.'Mo peak='.$memoryMax.'Mo)';\n\n return $message;\n }", "function memory_get_peak_usage ($real_usage = false) {}", "public function getStartPeakMemoryUsage($formatted = false);", "public function getMemoryUse(){\r\n $dircontentlist=scandir($this->memstatdbdir);\r\n //echo \"hola\"; print_r($dircontentlist);echo \"obolo\";\r\n $testherstelarray = array();\r\n foreach($dircontentlist as $keydir=>$valuedir){\r\n if(mb_ereg('freememstat.php',$valuedir)){\r\n // echo $valuedir;\r\n // ++$counterhier;\r\n // echo $counterhier;\r\n $testherstelarray[]=unserialize(file_get_contents( __DIR__.'/../memstatdb/'.$valuedir));\r\n };\r\n }\r\n //print_r($testherstelarray);\r\n if(is_array($testherstelarray)){\r\n $itemscount = count($testherstelarray);\r\n $accumulatedpercentage=(float)0;\r\n foreach($testherstelarray as $itemvalue){\r\n $accumulatedpercentage +=$itemvalue['percent'];\r\n }\r\n //echo $accumulatedpercentage;\r\n $meanpercentage= $accumulatedpercentage / $itemscount;\r\n if ($meanpercentage>80){\r\n return false;\r\n }else{\r\n return true;\r\n }\r\n }\r\n }", "function getMemoryUsage()\n{\n global $peakmem;\n if (!$peakmem) {\n $peakmem = memory_get_peak_usage()/1024/1024;\n }\n return $peakmem;\n}", "public function getPeakMemoryUsage()\n {\n\treturn array_reduce($this->executedStatements, function($v, $s) { $m = $s->getEndMemory(); return $m > $v ? $m : $v; });\n }" ]
[ "0.65060693", "0.6125262", "0.60888803", "0.6076831", "0.59049404", "0.58954835", "0.582912", "0.58080065", "0.5796973", "0.5790207", "0.5744969", "0.56447446", "0.5640689", "0.56320673", "0.5606683", "0.5592377", "0.5590767", "0.5586107", "0.55569166", "0.5530025", "0.55147064", "0.55095065", "0.5491573", "0.5491027", "0.5486038", "0.54582787", "0.5456347", "0.5363324", "0.5347929", "0.53367853" ]
0.6734722
0
Returns the profile end memory peak usage (in bytes). If the profile has not ended, false is returned.
public function getEndPeakMemoryUsage($formatted = false);
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function getMemoryPeakUsage();", "public function getMemPeakUsage()\n {\n return $this->memPeakUsage;\n }", "protected function getMemoryUsage(bool $peak = false) : int {\n if ($peak) {\n return memory_get_peak_usage();\n } else {\n return memory_get_usage();\n }\n }", "public function getPeakMemoryUsage()\n {\n $this->requiredFunction('memory_get_peak_usage');\n\n return memory_get_peak_usage();\n }", "public function getPeakMemoryUsage()\n {\n\treturn array_reduce($this->executedStatements, function($v, $s) { $m = $s->getEndMemory(); return $m > $v ? $m : $v; });\n }", "function memory_get_peak_usage ($real_usage = false) {}", "public function getEndMemoryUsage($formatted = false);", "public function peak(){\r\n return ( ! $this->isEmpty()) ? $this->data[0] : false;\r\n }", "public static function getPeakMemoryUsage()\n {\n return memory_get_peak_usage(true);\n }", "public function getPeakUsage()\n {\n return $this->peakUsage;\n }", "public static function memoryGetUsagePeak()\n {\n $unit = array('B', 'KB', 'MB', 'GB', 'TB', 'PB');\n\n $size = memory_get_usage(true);\n $memoryUsage = @round($size / pow(1024, ($i = floor(log($size, 1024)))), 2) . ' ' . $unit[$i];\n\n $size = memory_get_peak_usage(true);\n $peakUsage = @round($size / pow(1024, ($i = floor(log($size, 1024)))), 2) . ' ' . $unit[$i];\n return 'memory_usage: ' . $memoryUsage . ' (peak: ' . $peakUsage . ')';\n }", "public function getStartPeakMemoryUsage($formatted = false);", "public function getPeakMemoryUsage(): int\n {\n return \\array_reduce($this->executedStatements, static function ($v, $s) {\n $m = $s->getEndMemory();\n\n return $m > $v ? $m : $v;\n });\n }", "function getMemoryUsage()\n{\n global $peakmem;\n if (!$peakmem) {\n $peakmem = memory_get_peak_usage()/1024/1024;\n }\n return $peakmem;\n}", "function getPeak()\r\n {\r\n $maxi = 0;\r\n $maxval = 0;\r\n $i = 0;\r\n \r\n foreach ($this->usage as $mem_array) {\r\n if ($maxval < $mem_array[\"Size\"]) {\r\n $maxi = $i;\r\n $maxval = $mem_array[\"Size\"];\r\n \r\n }\r\n $i++;\r\n }\r\n return $maxi;\r\n }", "protected function memory_exceeded() {\n\t\t$memory_limit = $this->get_memory_limit() * 0.9; // 90% of max memory\n\t\t$current_memory = memory_get_usage( true );\n\t\t$return = false;\n\n\t\tif ( $current_memory >= $memory_limit ) {\n\t\t\t$return = true;\n\t\t}\n\n\t\t/**\n\t\t * Filters whether the process did exceed the allowed memory limit or not.\n\t\t *\n\t\t * @since 4.9.5\n\t\t *\n\t\t * @param bool $return Whether the process did exceed the allowed memory limit or not.\n\t\t * @param static $this This process instance.\n\t\t */\n\t\treturn apply_filters( $this->identifier . '_memory_exceeded', $return, $this );\n\t}", "protected function getMem()\n {\n $peak = memory_get_peak_usage(true) / 1024 / 1024;\n \n return round($peak, 2) . 'Mb';\n }", "public function getMemUsage()\n {\n return $this->memUsage;\n }", "public function MeasureMemory ()\r\n\t{\r\n\t\treturn (memory_get_usage () - $this->bytes);\r\n\t}", "public function hasReadingCompleted ()\r\n\t\t\t\t{\r\n\t\t\t\t\treturn $this->readVariables['reachedEnd'];\r\n\t\t\t\t}", "public function hasMaxfeeKb()\n {\n return $this->maxfee_kb !== null;\n }", "protected function getMemoryUsage()\n {\n $memory = round(memory_get_usage() / (1024 * 1024), 0); // to get usage in Mo\n $memoryMax = round(memory_get_peak_usage() / (1024 * 1024)); // to get max usage in Mo\n $message = '(RAM : current='.$memory.'Mo peak='.$memoryMax.'Mo)';\n\n return $message;\n }", "public static function getMemoryUsage()\n {\n if ( function_exists('memory_get_usage') ) {\n return memory_get_usage(true);\n }\n /*\n * this section is borrowed from a comment in PHP documentation\n * http://www.php.net/manual/en/function.memory-get-usage.php#64156\n */\n $pid = getmypid();\n $exitCode = 0;\n if ( self::getOsType() == self::OS_TYPE_WINDOWS ) {\n $output = array();\n exec('tasklist /FI \"PID eq ' . $pid . '\" /FO LIST', $output , $exitCode);\n if ($exitCode) {\n return false;\n }\n $currentMemory = intval( preg_replace( '/[\\D]/', '', $output[5] ) ); // returns in KB\n $currentMemory *= 1024;\n } else {\n exec(\"ps -eo%mem,rss,pid | grep {$pid}\", $output, $exitCode);\n if ($exitCode) {\n return false;\n }\n $output = explode(\" \", $output[0]);\n //rss is given in 1024 byte units\n $currentMemory = intval($output[1]); // in KB\n $currentMemory *= 1024;\n }\n return $currentMemory;\n }", "protected function memory_exceeded() {\n\n\t\t$memory_limit = $this->get_memory_limit() * 0.90;\n\t\t$current_memory = memory_get_usage( true );\n\t\t$memory_exceeded = $current_memory >= $memory_limit;\n\n\t\treturn apply_filters( 'action_scheduler_memory_exceeded', $memory_exceeded, $this );\n\t}", "public function getCurrentMemoryUsage()\n {\n $this->requiredFunction('memory_get_usage');\n\n return memory_get_usage();\n }", "function memory_usage($start = E_MEMORY, $raw = false) {\n\t\t\tif(!is_int($start)) {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t\t// Grab the memory usage since the beginning of the application.\n\t\t\t$memory_usage = memory_get_usage() - $start;\n\t\t\tif($raw) {\n\t\t\t\treturn $memory_usage;\n\t\t\t}\n\t\t\t$shorthand = round(\n\t\t\t\t$memory_usage / pow(1024, 2),\n\t\t\t\t3\n\t\t\t) . 'Mb';\n\t\t\treturn $shorthand;\n\t\t}", "final public static function RAM()\n {\n if (function_exists('exec') == false) {\n return false;\n }\n\n exec('free -m | grep Mem | awk \\'{ print $2 }\\'', $memory);\n\n return Tools::FormatSize(reset($memory) * 1048576);\n }", "public function getProbableEnd()\n {\n return $this->probableEnd;\n }", "public function hasEndtime(){\n return $this->_has(7);\n }", "function isMaxReached() {\n\t\treturn ($this->find('count') >= $this->limit);\n\t}" ]
[ "0.6612447", "0.6550674", "0.63844913", "0.63693124", "0.6302928", "0.62871593", "0.62692815", "0.620152", "0.6150892", "0.6112684", "0.6089202", "0.6065399", "0.6031029", "0.58364916", "0.58010364", "0.57889867", "0.5717342", "0.5662588", "0.5653976", "0.5646093", "0.5644378", "0.56330466", "0.55675143", "0.55508304", "0.55246454", "0.5491833", "0.54263747", "0.5416711", "0.5414448", "0.5382433" ]
0.71178836
0
Plugin Name: Micke's Plugin Plugin URI: Description: A plugin that does nothing useful, which is useful for testing. Version: 0.0.1 Author: Mikael Lindqvist License: GNU General Public License v2 GitHub Plugin URI:
function mickesplugin_page() { echo "<h1>Micke's Plugin</h1>"; echo "<p>Hello and welcome to Micke's Plugin.</p>"; echo "<p>We hope that you enjoy your experience. Hello github test ubud showing sam</p>"; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function pluginMain();", "function run_PLUGIN_NAME_c48ce1f2cbe65268365d7b3499ceeb6c() {\n\t// Plugin dependencies via composer\n\trequire_once __DIR__ . '/vendor/autoload.php';\n\n\t// WRITE THINGS BELOW...\n\n}", "function getName()\n {\n return \"Example plugin\";\n }", "public function getPluginName(): string;", "public function plugins ()\n {\n }", "function _manually_load_plugin() {\n\n\trequire dirname( dirname( __FILE__ ) ) . '/ufhealth-who-wrote-what.php';\n\n}", "function run_pictifly_plugin() {\n\n $plugin = new Pictifly();\n $plugin->run();\n\n}", "function example_plugin() {\n\t return Example_Plugin::instance();\n\t}", "public static function getPluginName(): string;", "function goodbye_dolly() {\n if (file_exists(WP_PLUGIN_DIR.'/hello.php')) {\n require_once(ABSPATH.'wp-admin/includes/plugin.php');\n require_once(ABSPATH.'wp-admin/includes/file.php');\n delete_plugins(array('hello.php'));\n }\n}", "function myplugin_plugin_path()\n{\n return untrailingslashit(plugin_dir_path(__FILE__));\n}", "function sayCoucou() {\n echo '<h3 class=\"plugin-demo-h3\">Coucou je suis un super plugin !</h3>';\n}", "abstract protected function plugins();", "function byteWindguruPlugin() {\n\t\t\t$this->url = plugins_url();\t\n\t\t}", "function my_plugin_activate() {\n error_log(\"my plugin activated\");\n}", "function plugin_sample_activation() {\n}", "private function pluginInit()\n\t{\n\t}", "public function getPluginDeveloper();", "function init_plugin(){\r\n\t\tif( ! function_exists( 'ZNPB' ) ){\r\n\t\t\tadd_action( 'admin_notices', array( $this, 'show_admin_notice' ) );\r\n\t\t}\r\n\t}", "public function getPluginShortName(): string;", "public function plugin( $name ) {\n\t\t$this->plugin = sanitize_html_class( $name );\n\t}", "public function getDescription($name, $plugin = \"userfrosting\");", "static function setup_must_use_plugin() {\r\n\t\tglobal $wp_filesystem;\r\n\r\n\t\tif ( ! is_dir( WPMU_PLUGIN_DIR ) ) {\r\n\t\t\tif ( ! $wp_filesystem->mkdir( WPMU_PLUGIN_DIR ) ) {\r\n\t\t\t\tHealthCheck::display_notice( esc_html__( 'We were unable to create the mu-plugins directory.', 'health-check' ), 'error' );\r\n\t\t\t\treturn false;\r\n\t\t\t}\r\n\t\t}\r\n\r\n\t\tif ( ! $wp_filesystem->copy( trailingslashit( HEALTH_CHECK_PLUGIN_DIRECTORY ) . 'assets/mu-plugin/health-check-disable-plugins.php', trailingslashit( WPMU_PLUGIN_DIR ) . 'health-check-disable-plugins.php' ) ) {\r\n\t\t\tHealthCheck::display_notice( esc_html__( 'We were unable to copy the plugin file required to enable the Troubleshooting Mode.' ,'health-check' ), 'error' );\r\n\t\t\treturn false;\r\n\t\t}\r\n\r\n\t\tHealth_Check_Troubleshoot::session_started();\r\n\r\n\t\treturn true;\r\n\t}", "function amc_run_plugin() {\n\n\tamc_define_constants();\n\n\t$plugin = new Admin_Menu_Control();\n\n}", "public function testGetPlugin()\n {\n $this->assertNull($this->event->getPlugin());\n }", "function iron_register_required_plugins ()\n{\n\t$plugins = array(\n\t array(\n\t 'name' => 'Envato WordPress Toolkit',\n\t 'slug' => 'envato-wordpress-toolkit-master',\n\t 'source' => IRON_PARENT_DIR . '/includes/plugins/envato-wordpress-toolkit-master.zip',\n\t 'required' => false,\n\t 'version' => '1.6.3',\n\t 'force_activation' => false,\n\t 'force_deactivation' => false,\n\t 'external_url' => '',\n\t ),\n\t array(\n\t\t\t'name' => 'Sidekick',\n\t\t\t'slug' => 'sidekick',\n\t\t\t'required' => false\n\t\t),\n\t\tarray(\n\t\t\t'name' => 'Contact Form 7',\n\t\t\t'slug' => 'contact-form-7',\n\t\t\t'required' => true\n\t\t),\n\t\tarray(\n\t\t\t'name' => 'Simple Page Ordering',\n\t\t\t'slug' => 'simple-page-ordering',\n\t\t\t'required' => false\n\t\t),\n\t\tarray(\n\t\t\t'name' => 'Duplicate Post',\n\t\t\t'slug' => 'duplicate-post',\n\t\t\t'required' => false\n\t\t),\n\t\tarray(\n\t\t\t'name'\t\t=>\t'Google Analytics for WordPress',\n\t\t\t'slug'\t\t=>\t'google-analytics-for-wordpress',\n\t\t\t'required'\t=>\tfalse\n\t\t),\n\t\tarray(\n\t\t\t'name'\t\t=>\t'WooCommerce',\n\t\t\t'slug'\t\t=>\t'woocommerce',\n\t\t\t'required'\t=>\tfalse\n\t\t),\n\t\tarray(\n 'name' => 'MailChimp Widget', // The plugin name\n 'slug' => 'nmedia-mailchimp-widget', // The plugin slug (typically the folder name)\n 'file_path'\t\t\t\t=> 'nmedia-mailchimp-widget/nm_mailchimp.php',\n 'source' => IRON_PARENT_DIR . '/includes/plugins/nmedia-mailchimp-widget.zip', // The plugin source\n 'required' => false, // If false, the plugin is only 'recommended' instead of required\n 'version' => '3.2.4', // E.g. 1.0.0. If set, the active plugin must be this version or higher, otherwise a notice is presented\n 'force_activation' => false, // If true, plugin is activated upon theme activation and cannot be deactivated until theme switch\n 'force_deactivation' => false, // If true, plugin is deactivated upon theme switch, useful for theme-specific plugins\n ), \n\t\tarray(\n 'name' => 'Visual Composer', // The plugin name\n 'slug' => 'js_composer', // The plugin slug (typically the folder name)\n 'file_path'\t\t\t\t=> 'js_composer/js_composer.php',\n 'source' => IRON_PARENT_DIR . '/includes/plugins/js_composer.zip', // The plugin source\n 'required' => true, // If false, the plugin is only 'recommended' instead of required\n 'version' => '4.11.2', // E.g. 1.0.0. If set, the active plugin must be this version or higher, otherwise a notice is presented\n 'force_activation' => false, // If true, plugin is activated upon theme activation and cannot be deactivated until theme switch\n 'force_deactivation' => false, // If true, plugin is deactivated upon theme switch, useful for theme-specific plugins\n ), \n array(\n 'name' => 'Slider Revolution', // The plugin name\n 'slug' => 'revslider', // The plugin slug (typically the folder name)\n 'file_path'\t\t\t\t=> 'revslider/revslider.php',\n 'source' => IRON_PARENT_DIR . '/includes/plugins/revslider.zip', // The plugin source\n 'required' => true, // If false, the plugin is only 'recommended' instead of required\n 'version' => '5.2.4.1', // E.g. 1.0.0. If set, the active plugin must be this version or higher, otherwise a notice is presented\n 'force_activation' => false, // If true, plugin is activated upon theme activation and cannot be deactivated until theme switch\n 'force_deactivation' => false, // If true, plugin is deactivated upon theme switch, useful for theme-specific plugins\n ),\n\t);\n\n\t$config = array(\n\t\t'domain' => IRON_TEXT_DOMAIN,\n\t\t'has_notices' => true, // Show admin notices or not\n\t\t'is_automatic' => true // Automatically activate plugins after installation or not\n\t);\n\n\n\tif(is_admin() && function_exists('get_plugin_data')) {\n\n\t\tforeach($plugins as $plugin) {\n\t\t\tif(!empty($plugin['file_path']) && is_plugin_active($plugin['file_path']) && !empty($plugin[\"version\"])) {\n\t\t\t\t$version = $plugin[\"version\"];\n\t\t\t\t$plugin_path = WP_PLUGIN_DIR.'/'.$plugin['slug'];\n\t\t\t\t$plugin_file = WP_PLUGIN_DIR.'/'.$plugin['file_path'];\n\t\t\t\t$plugin_source = $plugin['source'];\n\t\t\t\t$data = get_plugin_data($plugin_file);\n\t\t\t\tif(!empty($data[\"Version\"]) && ($data[\"Version\"] < $version) && empty($_GET[\"tgmpa-install\"])) {\n\t\t\t\n\t\t\t\t\tdeactivate_plugins($plugin_file);\n\t\t\t\t\tiron_delete_dir($plugin_path);\n\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n\t\n\ttgmpa($plugins, $config);\n\n}", "function mpc1_register_required_plugins()\n{\n /*\n * Array of plugin arrays. Required keys are name and slug.\n * If the source is NOT from the .org repo, then source is also required.\n */\n $plugins = array(\n\n // This is an example of how to include a plugin bundled with a theme.\n // array(\n // 'name' => 'TGM Example Plugin', // The plugin name.\n // 'slug' => 'tgm-example-plugin', // The plugin slug (typically the folder name).\n // 'source' => get_template_directory() . '/lib/plugins/tgm-example-plugin.zip', // The plugin source.\n // 'required' => true, // If false, the plugin is only 'recommended' instead of required.\n // 'version' => '', // E.g. 1.0.0. If set, the active plugin must be this version or higher. If the plugin version is higher than the plugin version installed, the user will be notified to update the plugin.\n // 'force_activation' => false, // If true, plugin is activated upon theme activation and cannot be deactivated until theme switch.\n // 'force_deactivation' => false, // If true, plugin is deactivated upon theme switch, useful for theme-specific plugins.\n // 'external_url' => '', // If set, overrides default API URL and points to an external URL.\n // 'is_callable' => '', // If set, this callable will be be checked for availability to determine if a plugin is active.\n // ),\n\n // This is an example of how to include a plugin from an arbitrary external source in your theme.\n // array(\n // 'name' => 'TGM New Media Plugin', // The plugin name.\n // 'slug' => 'tgm-new-media-plugin', // The plugin slug (typically the folder name).\n // 'source' => 'https://s3.amazonaws.com/tgm/tgm-new-media-plugin.zip', // The plugin source.\n // 'required' => true, // If false, the plugin is only 'recommended' instead of required.\n // 'external_url' => 'https://github.com/thomasgriffin/New-Media-Image-Uploader', // If set, overrides default API URL and points to an external URL.\n // ),\n\n // This is an example of how to include a plugin from a GitHub repository in your theme.\n // This presumes that the plugin code is based in the root of the GitHub repository\n // and not in a subdirectory ('/src') of the repository.\n // array(\n // 'name' => 'Adminbar Link Comments to Pending',\n // 'slug' => 'adminbar-link-comments-to-pending',\n // 'source' => 'https://github.com/jrfnl/WP-adminbar-comments-to-pending/archive/master.zip',\n // ),\n\n // This is an example of how to include a plugin from the WordPress Plugin Repository.\n // array(\n // 'name' => 'BuddyPress',\n // 'slug' => 'buddypress',\n // 'required' => false,\n // ),\n\n array(\n 'name' => 'Max Mega Menu',\n 'slug' => 'megamenu',\n 'required' => true,\n ),\n\n array(\n 'name' => 'Insert Pages',\n 'slug' => 'insert-pages',\n 'required' => true,\n ),\n\n array(\n 'name' => 'Smart Slider 3',\n 'slug' => 'smart-slider-3',\n 'required' => true,\n ),\n\n // This is an example of the use of 'is_callable' functionality. A user could - for instance -\n // have WPSEO installed *or* WPSEO Premium. The slug would in that last case be different, i.e.\n // 'wordpress-seo-premium'.\n // By setting 'is_callable' to either a function from that plugin or a class method\n // `array( 'class', 'method' )` similar to how you hook in to actions and filters, TGMPA can still\n // recognize the plugin as being installed.\n // array(\n // 'name' => 'WordPress SEO by Yoast',\n // 'slug' => 'wordpress-seo',\n // 'is_callable' => 'wpseo_init',\n // ),\n\n );\n\n /*\n * Array of configuration settings. Amend each line as needed.\n *\n * TGMPA will start providing localized text strings soon. If you already have translations of our standard\n * strings available, please help us make TGMPA even better by giving us access to these translations or by\n * sending in a pull-request with .po file(s) with the translations.\n *\n * Only uncomment the strings in the config array if you want to customize the strings.\n */\n $config = array(\n 'id' => 'mpc1', // Unique ID for hashing notices for multiple instances of TGMPA.\n 'default_path' => '', // Default absolute path to bundled plugins.\n 'menu' => 'tgmpa-install-plugins', // Menu slug.\n 'parent_slug' => 'themes.php', // Parent menu slug.\n 'capability' => 'edit_theme_options', // Capability needed to view plugin install page, should be a capability associated with the parent menu used.\n 'has_notices' => true, // Show admin notices or not.\n 'dismissable' => true, // If false, a user cannot dismiss the nag message.\n 'dismiss_msg' => '', // If 'dismissable' is false, this message will be output at top of nag.\n 'is_automatic' => false, // Automatically activate plugins after installation or not.\n 'message' => '', // Message to output right before the plugins table.\n );\n\n tgmpa($plugins, $config);\n}", "public function test_get_plugin_unknown_plugin() {\n\t\t$plugin = $this->plugin;\n\n\t\t$this->assertFalse(\n\t\t\t$plugin->get( 'name', 'unknown' )\n\t\t);\n\t}", "function run_kfr_addons() {\n\n $plugin = new Kfr_Addons();\n $plugin->run();\n\n}", "function launch_plugin() {\n return Plugin::instance();\n}" ]
[ "0.7001794", "0.6987493", "0.66724855", "0.64450276", "0.6443765", "0.6375853", "0.62963516", "0.6185603", "0.6176296", "0.615385", "0.61309004", "0.61212367", "0.60892045", "0.6064383", "0.6056541", "0.60229796", "0.6013444", "0.59909785", "0.5985841", "0.5965423", "0.5959424", "0.5934145", "0.5929799", "0.5878186", "0.5857633", "0.5838488", "0.58275324", "0.5812899", "0.5794248", "0.5779968" ]
0.70462596
0
Lists all Megaloman entities.
public function indexAction() { $em = $this->getDoctrine()->getManager(); $entities = $em->getRepository('MegalomanBundle:Megaloman')->findAll(); return $this->render('MegalomanBundle:Megaloman:index.html.twig', array( 'entities' => $entities, )); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function index() {\n $this->Entity->recursive = 1;\n\n $this->setSearch('Entity', array(\n 'nome' => 'Entity.name',\n 'email' => 'Entity.email',\n 'telefone' => 'Entity.phone',\n 'celular' => 'Entity.cellphone',\n 'endereço' => 'Entity.address',\n 'contact' => 'Entity.contact'\n ));\n\n $this->set('title', 'Módulos > Entidades');\n $this->set('entities', $this->paginate('Entity'));\n }", "public function indexAction() {\n $em = $this->getDoctrine()->getEntityManager();\n $entities = $em->getRepository('EphpGestoriBundle:Gestore')->findAll();\n\n return array('entities' => $entities);\n }", "public function allFilmsAction()\n {\n\n // $em = EntityManager = $connexion $em est dans la doc officielle\n\n $em = $this->getDoctrine()->getManager(); // récupération de doctrine\n\n $allFilms = $em->getRepository(\"TroiswaBackBundle:Films\")->findAll();\n\n return $this->render(\"TroiswaBackBundle:Films:index.html.twig\",['allFilms'=>$allFilms]);\n\n }", "public function indexAction()\n {\n $em = $this->getDoctrine()->getManager();\n\n $meubles = $em->getRepository('AppBundle:Meuble')->findAll();\n\n return $this->render('meuble/index.html.twig', array(\n 'meubles' => $meubles,\n ));\n }", "public function indexAction()\n {\n $em = $this->getDoctrine()->getManager();\n\n $entities = $em->getRepository('chanppEvImBundle:MetodoRecoleccion')->findAll();\n\n return array(\n 'entities' => $entities,\n );\n }", "public function indexAction()\n {\n $em = $this->getDoctrine()->getEntityManager();\n\n $entities = $em->getRepository('AcmeFmpsBundle:EnfantTiteur')->findAll();\n\n return array('entities' => $entities);\n }", "public function indexAction()\n {\n $em = $this->getDoctrine()->getManager();\n\n $entities = $em->getRepository('FantasiaBundle:Modelo')->findAll();\n\n return array(\n 'entities' => $entities,\n );\n }", "public function indexAction()\n {\n $em = $this->getDoctrine()->getManager();\n\n $entities = $em->getRepository('uesperaBundle:Domicilio')->findAll();\n\n return array(\n 'entities' => $entities,\n );\n }", "public function indexAction()\n {\n $em = $this->getDoctrine()->getManager();\n\n $entities = $em->getRepository('svplocationAdminBundle:Entrepot')->findAll();\n\n return array(\n 'entities' => $entities,\n );\n }", "public function indexAction()\n {\n $em = $this->getDoctrine()->getEntityManager();\n\n $entities = $em->getRepository('Area4ContableBundle:Egreso')->findAll();\n\n return array('entities' => $entities);\n }", "function listaAll() {\n require ROOT . \"config/bootstrap.php\";\n return $em->getRepository('models\\Usuarios')->findby(array(), array(\"id\" => \"DESC\"));\n $em->flush();\n }", "public function indexAction() {\n $em = $this->getDoctrine()->getManager();\n\n $entities = $em->getRepository('FlowcodeMediaBundle:Gallery')->findAll();\n\n return array(\n 'entities' => $entities,\n );\n }", "public function indexAction()\n {\n $em = $this->getDoctrine()->getManager();\n\n $entities = $em->getRepository('MaterialesBundle:moneda')->findAll();\n\n return $this->render('MaterialesBundle:moneda:index.html.twig', array(\n 'entities' => $entities,\n ));\n }", "public function allAction()\n {\n $em = $this->getDoctrine()->getManager();\n\n $entities = $em->getRepository('TireBundle:Record')->findAll();\n\n return array(\n 'entities' => $entities,\n 'all' => 1\n );\n }", "public function indexAction()\n {\n $em = $this->getDoctrine()->getManager();\n\n $entities = $em->getRepository('UmgConferenciaBundle:Pago')->findAll();\n\n return array(\n 'entities' => $entities,\n );\n }", "public function indexAction() {\n $em = $this->getDoctrine()->getManager();\n\n $entities = $em->getRepository('PatrickLaxtonAnnuaireBundle:Personne')->findAll();\n\n return array(\n 'entities' => $entities,\n );\n }", "public function indexAction()\n {\n $em = $this->getDoctrine()->getManager();\n\n $entities = $em->getRepository('bonavallBancdeltempsBundle:EstatServei')->findAll();\n\n return array(\n 'entities' => $entities,\n );\n }", "public function index()\n {\n return Medico::all();\n }", "public function getAll()\n {\n $liste_medecins = Medecin::paginate(2);\n //$liste_medecins = Medecin::all();\n return view('medecin.list',['liste_medecins'=>$liste_medecins]);\n }", "public function indexAction()\n {\n $entities = $this->getRepository('CpmJovenesBundle:Eje')->findAll();\n return array('entities' => $entities);\n }", "public function indexAction()\n {\n $em = $this->getDoctrine()->getManager();\n\n $entities = $em->getRepository('AdminMenuBundle:Menu')->findAll();\n\n return ['entities' => $entities];\n }", "public function index()\n {\n $managers = Manager::All();\n return $this->showAll($managers);\n\n }", "public function indexAction()\n {\n $em = $this->getDoctrine()->getManager();\n\n $entities = $em->getRepository('mqlUITCandidatureBundle:Diplome')->findAll();\n\n return $this->render('mqlUITCandidatureBundle:Diplome:index.html.twig', array(\n 'entities' => $entities,\n ));\n }", "function getAll()\n {\n $query = $this->db->get('melding');\n return $query->result();\n }", "public function actionIndex()\n {\n $dataProvider = new ActiveDataProvider([\n 'query' => Mobil::find(),\n ]);\n\n return $this->render('index', [\n 'dataProvider' => $dataProvider,\n ]);\n }", "function listaAll() {\n require ROOT . \"config/bootstrap.php\";\n return $em->getRepository('models\\Cabos')->findby(array(), array(\"id\" => \"DESC\"));\n $em->flush();\n }", "public function getEntityList();", "public function indexAction()\n {\n $em = $this->getDoctrine()->getManager();\n\n $entrepots = $em->getRepository('AdminBundle:Entrepot')->findAll();\n\n return $this->render('AdminBundle:Entrepot:index.html.twig', array(\n 'entrepots' => $entrepots,\n ));\n }", "public function indexAction()\n {\n $em = $this->getDoctrine()->getManager();\n\n $entities = $em->getRepository('MultiservicesInventarioBundle:Pedidos')->findAll();\n\n return array(\n 'entities' => $entities,\n );\n }", "public function getAll()\n {\n return $this->entity->all();\n }" ]
[ "0.721926", "0.7021953", "0.67606825", "0.6743365", "0.67432094", "0.6652471", "0.66510636", "0.65883684", "0.65757287", "0.6561531", "0.6553706", "0.6549803", "0.6532363", "0.652714", "0.65236396", "0.6501278", "0.6486904", "0.6483769", "0.6479533", "0.64773595", "0.6458228", "0.641044", "0.6401809", "0.6399924", "0.6394315", "0.6391353", "0.63856274", "0.6348454", "0.63428605", "0.63357383" ]
0.76349425
0
Creates a new Megaloman entity.
public function createAction(Request $request) { $entity = new Megaloman(); $form = $this->createCreateForm($entity); $form->handleRequest($request); if ($form->isValid()) { $discography = new Discography(); $discography->setOwner($entity); $entity->setDiscography($discography); $em = $this->getDoctrine()->getManager(); $em->persist($entity); $em->flush(); return $this->redirect($this->generateUrl('megaloman_show', array('id' => $entity->getId()))); } return $this->render('MegalomanBundle:Megaloman:new.html.twig', array( 'entity' => $entity, 'form' => $form->createView(), )); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function create($entity);", "public function create()\n\t{\n\t\t$data = array(\n\t\t\t\"pengurus_nim\" => post('pengurus_nim'),\n\t\t\t\"agenda_category_id\" => post('agenda_category'),\n\t\t\t\"title\" => post('title'),\n\t\t\t\"location\" => post('location'),\n\t\t\t\"start_at\" => post('mulai', 'date_now'),\n\t\t\t\"end_at\" => post('selesai', 'date_now|greater:mulai'),\n\t\t);\n\t\t$do = $this->data_model->insert($this->table, $data);\n\t\tif (!$do->error) {\n\t\t\tsuccess(\"data berhasil ditambahkan\", $do->data);\n\t\t} else {\n\t\t\terror(\"data gagal ditambahkan\");\n\t\t}\n\t}", "public function create()\n\t{\n\t\t$body = json_decode($this->request->getBody());\n\t\t$save = $this->model->save($body);\n\t\tif (!$save) return $this->respond(res400(['message' => 'ada yang salah', 'debug' => $save]));\n\t\t$this->kunj->save($body);\n\t\t$this->transPetugas->save($body);\n\t\treturn $this->respond(res201(['message' => 'Data berhasil disimpan', 'data' => $save]));\n\t}", "public function newAction() {\n $entity = new Megaloman();\n $form = $this->createCreateForm($entity);\n\n return $this->render('MegalomanBundle:Megaloman:new.html.twig', array(\n 'entity' => $entity,\n 'form' => $form->createView(),\n ));\n }", "public function create()\n {\n //\n }", "public function create()\n {\n //\n }", "public function create()\n {\n //\n }", "public function create()\n {\n //\n }", "public function create() {\n \n //\n \n }", "public function create()\n {\n $this->auth->restrict($this->permissionCreate);\n \n if (isset($_POST['save'])) {\n if ($insert_id = $this->save_golongan()) {\n log_activity($this->auth->user_id(), lang('golongan_act_create_record') . ': ' . $insert_id . ' : ' . $this->input->ip_address(), 'golongan');\n Template::set_message(lang('golongan_create_success'), 'success');\n\n redirect(SITE_AREA . '/masters/golongan');\n }\n\n // Not validation error\n if ( ! empty($this->golongan_model->error)) {\n Template::set_message(lang('golongan_create_failure') . $this->golongan_model->error, 'error');\n }\n }\n\n Template::set('toolbar_title', lang('golongan_action_create'));\n\n Template::render();\n }", "public function create()\n {\n \n //\n }", "abstract public function createEntity();", "public function create() {\n\t\t$creator = user::load_by_username($_SESSION['username']);\n\n\t\t// Convert ingredient titles to ingredients\n\t\t$ingredient_titles = array_key_exists('ingredients', $_POST) ? $_POST['ingredients'] : null;\n\t\tif ($ingredient_titles != null) {\n\t\t\t// Initialize an array of ingredients\n\t\t\t$ingredients = array();\n\n\t\t\t// Loop through the ingredient titles\n\t\t\tforeach($ingredient_titles as $title) {\n\t\t\t\t// Fetch the ingredient\n\t\t\t\t$ingredient = ingredient::load_by_title($title);\n\n\t\t\t\t// Check if the ingredient exists\n\t\t\t\tif ($ingredient == null) {\n\t\t\t\t\t// Create and save the ingredient if it doesn't exist\n\t\t\t\t\t$ingredient = new ingredient(array(\n\t\t\t\t\t\t'title' => $title));\n\t\t\t\t\t$ingredient->save();\n\t\t\t\t}\n\n\t\t\t\t// Add the ingredient to this meal's ingredients\n\t\t\t\t$ingredients[] = $ingredient;\n\t\t\t}\n\t\t}\n\n\t\t// Create array of attributes\n\t\t$attributes = array(\n\t\t\t'title' => $_POST['title'],\n\t\t\t'description' => $_POST['description'],\n\t\t\t'meal_type' => $_POST['meal_type'],\n\t\t\t'food_type' => $_POST['food_type'],\n\t\t\t'time_to_prepare' => $_POST['time_to_prepare'],\n\t\t\t'instructions' => $_POST['instructions'],\n\t\t\t'creator_id' => $creator->get('id'),\n\t\t\t'image_url' => self::generate_image_url($_POST['title']),\n\t\t\t'ingredients' => $ingredients);\n\n\t\t// Create a new meal with the appropriate attributes\n\t\t$meal = new meal($attributes);\n\n\t\t// Save the new meal and create an associated event\n\t\tif ($meal->save()) {\n\t\t\t$event = new event(array(\n\t\t\t\t\t'creator_id' => $meal->get('creator_id'),\n\t\t\t\t\t'type' => 'meal',\n\t\t\t\t\t'action' => 'created',\n\t\t\t\t\t'reference_id' => $meal->get('id')));\n\t\t\t$event->save();\n\t\t}\n\n\t\t// Redirect to the meal's show page\n\t\theader('Location: ' . BASE_URL . '/meals/' . $meal->get('id'));\n\t}", "public function create()\n {\n //\n }", "public function create()\n {\n //lien vers le formulaire d'ajouter\n }", "public function create() {\n //\n \n }", "public function create()\n {\n //\n }", "public function create()\n {\n //\n \n }", "public function create()\n {\n //\n \n }", "public function create()\n {\n //\n \n }", "public function create()\n {\n //\n \n }", "public function create()\n {\n //\n \n }", "public function create()\n {\n //\n \n }", "public function create()\n {\n //\n \n }", "public function create()\n {\n //\n }", "public function create()\n {\n //\n }", "public function create()\n {\n \n \n }", "public function create()\n {\n //\n \n }", "public function create()\n {\n }", "public function create()\n {\n //\n }" ]
[ "0.6778865", "0.66789395", "0.658715", "0.6574711", "0.6565006", "0.6565006", "0.6565006", "0.6565006", "0.6513701", "0.6504802", "0.64893377", "0.6450961", "0.64454234", "0.6444592", "0.6436226", "0.6424202", "0.6406064", "0.6398191", "0.6398191", "0.6398191", "0.6398191", "0.6398191", "0.6398191", "0.6398191", "0.63954836", "0.63954836", "0.6389892", "0.63879454", "0.63745904", "0.63738614" ]
0.7097067
0
Creates a form to create a Megaloman entity.
private function createCreateForm(Megaloman $entity) { $form = $this->createForm(new MegalomanType(), $entity, array( 'action' => $this->generateUrl('megaloman_create'), 'method' => 'POST', )); $form->add('submit', 'submit', array('label' => 'Utwórz')); return $form; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function newAction() {\n $entity = new Megaloman();\n $form = $this->createCreateForm($entity);\n\n return $this->render('MegalomanBundle:Megaloman:new.html.twig', array(\n 'entity' => $entity,\n 'form' => $form->createView(),\n ));\n }", "private function createCreateForm(Meal $entity)\n {\n $form = $this->createForm(new MealType(), $entity, array(\n 'action' => $this->generateUrl('meal_create'),\n 'method' => 'POST',\n ));\n\n// $form->add('submit', 'submit', array('label' => 'Create'));\n\n return $form;\n }", "public function createAction(Request $request) {\n $entity = new Megaloman();\n $form = $this->createCreateForm($entity);\n $form->handleRequest($request);\n\n if ($form->isValid()) {\n $discography = new Discography();\n $discography->setOwner($entity);\n $entity->setDiscography($discography);\n $em = $this->getDoctrine()->getManager();\n $em->persist($entity);\n $em->flush();\n\n return $this->redirect($this->generateUrl('megaloman_show', array('id' => $entity->getId())));\n }\n\n return $this->render('MegalomanBundle:Megaloman:new.html.twig', array(\n 'entity' => $entity,\n 'form' => $form->createView(),\n ));\n }", "public function create()\n {\n \t$badge = $this->createModelInstance();\r\n \t\r\n \treturn $this->formFactory->createNamed($this->formName, $this->formType, $badge);\n\n }", "private function createCreateForm(Hijo $entity)\n {\n $form = $this->createForm(new HijoType(), $entity, array(\n 'action' => $this->generateUrl('hijos_create'),\n 'method' => 'POST',\n ));\n\n //$form->add('submit', 'submit', array('label' => 'Create'));\n\n return $form;\n }", "private function createCreateForm(DatosGenerales $entity, $codMuni)\n {\n $form = $this->createForm(new DatosGeneralesType(), $entity, array(\n 'action' => $this->generateUrl('datosgenerales_create'),\n 'method' => 'POST',\n 'codMuni' => $codMuni,\n ));\n\n $form->add('submit', 'submit', array('label' => 'Guardar', 'attr' => array('class' => 'btn-success')));\n\n return $form;\n }", "public function create()\n {\n //funcion para mostrar formulario de nuevo centro\n }", "private function createCreateForm(MaisonEdition $entity)\n {\n $form = $this->createForm(new MaisonEditionType(), $entity, array(\n 'action' => $this->generateUrl('editeurs_create'),\n 'method' => 'POST',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Create'));\n\n return $form;\n }", "public function create()\n {\n //\n return view ('materias.formMateria');\n }", "private function createCreateForm(Hoja $entity)\n {\n $form = $this->createForm(new HojaType(), $entity, array(\n 'action' => $this->generateUrl('hoja_create'),\n 'method' => 'POST',\n 'attr' => array('class' => 'box-body')\n ));\n\n $form->add('submit', 'submit', array(\n 'label' => 'Crear',\n 'attr' => array('class' => 'btn btn-primary pull-right')\n ));\n\n return $form;\n }", "public function create()\n {\n //Form in views\\forms\\add-teacher\n }", "private function createCreateForm(Habitacion $entity)\n {\n $form = $this->createForm(new HabitacionType(), $entity, array(\n 'action' => $this->generateUrl('habitacion_crear'),\n 'method' => 'POST',\n ));\n\n // $form->add('submit', 'submit', array('label' => 'Create'));\n\n return $form;\n }", "public function actionCreate()\n {\n $form = new MakerManageForm();\n\n if ($form->load(Yii::$app->request->post()) && $form->validate()) {\n try{\n $maker = $this->service->create($form);\n Yii::$app->session->setFlash('success', 'Новый производитель создан.');\n return $this->redirect(['view', 'id' => $maker->id]);\n }catch (\\DomainException $e){\n Yii::$app->errorHandler->logException($e);\n Yii::$app->session->setFlash('error', $e->getMessage());\n }\n }\n return $this->render('create', [\n 'model' => $form,\n ]);\n }", "private function createCreateForm(Hojadevida $entity) {\n $form = $this->createForm(new HojadevidaType(), $entity, array(\n 'action' => $this->generateUrl('hojadevida_create'),\n 'method' => 'POST',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Crear'));\n\n return $form;\n }", "private function createCreateForm(DocmanContenido $entity) {\n $form = $this->createForm(new DocmanContenidoType(), $entity, array(\n 'action' => $this->generateUrl('docmancontenido_create'),\n 'method' => 'POST',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Crear'));\n\n return $form;\n }", "private function createCreateForm(Agente $entity)\n {\n $form = $this->createForm(new AgenteType(), $entity, array(\n 'action' => $this->generateUrl('agente_create'),\n 'method' => 'POST',\n ));\n\n //$form->add('submit', 'submit', array('label' => 'Create'));\n\n return $form;\n }", "public function create()\n {\n $columns = $this->columnsExtractor->getCreateFormFields($this->columnParams);\n $mediaExtractor = new MediaExtractor($this->modelInstance);\n\n return view(AdminGeneratorServiceProvider::VIEWS_NAME . '::forms.create')\n ->with([\n 'entity' => $this->modelInstance,\n 'columns' => $columns,\n 'titleSingular' => $this->titleSingular,\n 'titlePlural' => $this->titlePlural,\n 'url' => $this->getUrl(),\n 'mediaExtractor' => $mediaExtractor,\n ]);\n }", "private function createCreateForm(Caluga $entity)\n {\n $form = $this->createForm(new CalugaType(), $entity, array(\n 'action' => $this->generateUrl('admin_caluga_create'),\n 'method' => 'POST',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Guardar'));\n\n return $form;\n }", "public function create()\n {\n return view('admin.menutunggal.create');\n }", "public function create()\n {\n // //Membuat suatu data baru dengan mengisi form atau semacamnya\n }", "public function create()\n {\n return view('paciente_medicos.create');\n }", "public function create()\n {\n return view(\"fichecontroller.form\");\n }", "public function newAction()\n {\n $tipo=0;\n $entity = new Mensaje();\n $user = $this->get('security.context')->getToken()->getUser();\n if($user->getEsAlumno()==FALSE){\n $p=$user->getProfesor();\n //Secretaria y Rector\n if($p->getTipo()==1 || $p->getTipo()==3){\n $tipo=1;\n }\n }\n \n $form = $this->createForm(new MensajeType($tipo), $entity);\n //Sede\n //$sede= $this->getDoctrine()->getRepository(\"NetpublicCoreBundle:Grupo\")->findAll();\n //Grados\n $grados= $this->getDoctrine()->getRepository(\"NetpublicCoreBundle:Grado\")->findAll();\n \n //Grupos\n $grupos= $this->getDoctrine()->getRepository(\"NetpublicCoreBundle:Grupo\")->findAll();\n \n return array(\n 'entity' => $entity,\n 'form' => $form->createView(),\n 'grupos' =>$grupos,\n \"grados\" =>$grados\n );\n }", "public function create()\n {\n /* devido a que el create es un formulario y no una vista\n se queda del lado del cliente\n */\n }", "private function createCreateForm(Personne $entity) {\n $form = $this->createForm(new PersonneType(), $entity, array(\n 'action' => $this->generateUrl('personne_create'),\n 'method' => 'POST',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Create'));\n\n return $form;\n }", "private function createCreateForm(NomenclatureQuestionnairerecensement $entity)\n {\n $form = $this->createForm(new NomenclatureQuestionnairerecensementType(), $entity, array(\n 'action' => $this->generateUrl('nomenclaturequestionnairerecensement_create'),\n 'method' => 'POST',\n ));\n\n //$form->add('submit', 'submit', array('label' => 'Create'));\n\n return $form;\n }", "public function create()\n {\n \n return view('admin.forms.create');\n }", "public function create()\n {\n //\n return view('forms.create');\n }", "private function createCreateForm(EstatServei $entity)\n {\n $form = $this->createForm(new EstatServeiType(), $entity, array(\n 'action' => $this->generateUrl('admin_estatservei_create'),\n 'method' => 'POST',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Create'));\n\n return $form;\n }", "private function createCreateForm(Modelo $entity)\n {\n $form = $this->createForm(new ModeloType(), $entity, array(\n 'action' => $this->generateUrl('modelo_create'),\n 'method' => 'POST',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Crear'));\n\n return $form;\n }" ]
[ "0.7726144", "0.74607354", "0.72500664", "0.7202178", "0.7154565", "0.7108209", "0.70993996", "0.7094766", "0.7061491", "0.70552653", "0.69980437", "0.69876474", "0.6975219", "0.6962435", "0.69375837", "0.69206804", "0.6919735", "0.6908681", "0.6904658", "0.68991554", "0.6884669", "0.68830127", "0.6881196", "0.68759215", "0.6871456", "0.681945", "0.68193394", "0.68083996", "0.6805842", "0.6801213" ]
0.83813876
0
Displays a form to create a new Megaloman entity.
public function newAction() { $entity = new Megaloman(); $form = $this->createCreateForm($entity); return $this->render('MegalomanBundle:Megaloman:new.html.twig', array( 'entity' => $entity, 'form' => $form->createView(), )); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function newAction()\n {\n $entity = new Diplome();\n $form = $this->createForm(new DiplomeType(), $entity);\n\n return $this->render('mqlUITCandidatureBundle:Diplome:new.html.twig', array(\n 'entity' => $entity,\n 'form' => $form->createView(),\n ));\n }", "public function create()\n {\n return view('admin.menutunggal.create');\n }", "public function actionCreate()\n {\n $form = new MakerManageForm();\n\n if ($form->load(Yii::$app->request->post()) && $form->validate()) {\n try{\n $maker = $this->service->create($form);\n Yii::$app->session->setFlash('success', 'Новый производитель создан.');\n return $this->redirect(['view', 'id' => $maker->id]);\n }catch (\\DomainException $e){\n Yii::$app->errorHandler->logException($e);\n Yii::$app->session->setFlash('error', $e->getMessage());\n }\n }\n return $this->render('create', [\n 'model' => $form,\n ]);\n }", "private function createCreateForm(Megaloman $entity) {\n $form = $this->createForm(new MegalomanType(), $entity, array(\n 'action' => $this->generateUrl('megaloman_create'),\n 'method' => 'POST',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Utwórz'));\n\n return $form;\n }", "public function newAction() {\n\n $user = $this->getUser();\n if (!$user) {\n return $this->render('AeagDieBundle:Default:interdit.html.twig');\n }\n $session = $this->get('session');\n $session->set('menu', 'Admin');\n $session->set('controller', 'Organisme');\n $session->set('fonction', 'new');\n $em = $this->get('doctrine')->getManager('die');\n\n $entity = new Organisme();\n $form = $this->createForm(new OrganismeType(), $entity);\n\n return $this->render('AeagDieBundle:Organisme:new.html.twig', array(\n 'entity' => $entity,\n 'form' => $form->createView()\n ));\n }", "public function newAction()\n {\n $entity = new Hoja();\n $form = $this->createCreateForm($entity);\n\n return $this->render('AppBundle:Hoja:new.html.twig', array(\n 'entity' => $entity,\n 'form' => $form->createView(),\n ));\n }", "public function newAction()\n {\n $entrepot= new Entrepot();\n\n \n $formBuilder = $this->get('form.factory')->createBuilder('form', $entrepot);\n\n $formBuilder\n ->add('adresse','text')\n \n ->add('Valider','submit')\n ;\n \n $form = $formBuilder->getForm();\n\n \n return $this->render('svplocationAdminBunle:Entrepot:new.html.twig', array(\n 'form' => $form->createView(),\n ));\n }", "public function newAction()\n {\n $entity = new DatossEdadvacunas();\n $form = $this->createCreateForm($entity);\n\n return $this->render('FocalAppBundle:DatossEdadvacunas:new.html.twig', array(\n 'entity' => $entity,\n 'form' => $form->createView(),\n ));\n }", "public function createAction(Request $request) {\n $entity = new Megaloman();\n $form = $this->createCreateForm($entity);\n $form->handleRequest($request);\n\n if ($form->isValid()) {\n $discography = new Discography();\n $discography->setOwner($entity);\n $entity->setDiscography($discography);\n $em = $this->getDoctrine()->getManager();\n $em->persist($entity);\n $em->flush();\n\n return $this->redirect($this->generateUrl('megaloman_show', array('id' => $entity->getId())));\n }\n\n return $this->render('MegalomanBundle:Megaloman:new.html.twig', array(\n 'entity' => $entity,\n 'form' => $form->createView(),\n ));\n }", "public function create()\n {\n return view(\"fichecontroller.form\");\n }", "public function newAction()\n {\n $request = $this->container->get('request');\n $options = $request->get('options');\n $alias = $request->get('alias');\n\n $metadata = $this->getMetadata($options['class']);\n $entity = $this->newEntityInstance($metadata);\n\n $fields = $this->getFields($metadata, $options, 'new');\n $type = $this->getCustomFormType($options, 'new');\n\n $form = $this->createCreateForm($entity, $alias, $fields, $type);\n\n return $this->render(\n 'SgDatatablesBundle:Crud:new.html.twig',\n array(\n 'entity' => $entity,\n 'form' => $form->createView(),\n 'list_action' => DatatablesRoutingLoader::PREF . $alias . '_index',\n 'heading' => $this->getHeading()\n )\n );\n }", "public function create()\n {\n return view('admin.man.create');\n //\n }", "public function newAction()\n {\n $entity = new Concepto();\n $form = $this->createCreateForm($entity);\n\n return $this->render('BackendBundle:Concepto:new.html.twig', array(\n 'entity' => $entity,\n 'form' => $form->createView(),\n ));\n }", "public function newAction()\n {\n #BreadCrumbs\n $breadcrumbs = $this->get(\"white_october_breadcrumbs\");\n $breadcrumbs->addItem(\"Dashboard\", $this->get(\"router\")->generate(\"admin_dashboard\"));\n $breadcrumbs->addItem(\"Pedido\", $this->get(\"router\")->generate(\"admin_pedido\"));\n $breadcrumbs->addItem(\"Novo\");\n \n $entity = new Pedido();\n $form = $this->createCreateForm($entity);\n\n return array(\n 'entity' => $entity,\n 'form' => $form->createView(),\n );\n }", "public function create()\n {\n Session::forget('_old_input');\n return view('mensagens.create');\n }", "public function create()\n {\n return view('mesas.create');\n }", "public function create()\n {\n return view('paciente_medicos.create');\n }", "public function create()\n {\n return view('Admin.diplomes.create');\n }", "public function create()\n {\n //funcion para mostrar formulario de nuevo centro\n }", "public function actionCreate()\n {\n $model = new Golfer();\n\n if ($model->load(Yii::$app->request->post()) && $model->save()) {\n return $this->redirect(['view', 'id' => $model->id]);\n } else {\n return $this->render('create', [\n 'model' => $model,\n ]);\n }\n }", "public function newAction() {\n $entity = new Gestore();\n $form = $this->createForm(new GestoreNewType(), $entity);\n\n return array(\n 'entity' => $entity,\n 'form' => $form->createView()\n );\n }", "public function newAction() {\n $entity = new Serveurs();\n $form = $this->createForm(new ServeursType(), $entity);\n return $this->render('ApplicationRelationsBundle:Serveurs:new.html.twig', array(\n 'entity' => $entity,\n 'form' => $form->createView(),\n ));\n }", "public function newAction()\n {\n $entity = new TypeLogement();\n $typeLogementType = new TypeLogementType();\n\t\t$typeLogementType->setUser($this->get('security.context')->getToken()->getUser());\n $form = $this->createForm($typeLogementType, $entity);\n\n return $this->render('chevPensionBundle:TypeLogement:new.html.twig', array(\n 'entity' => $entity,\n 'form' => $form->createView(),\n ));\n }", "public function create()\n {\n //\n return view ('materias.formMateria');\n }", "public function newAction()\n {\n $entity = new Utentegruppoutente();\n $form = $this->createCreateForm($entity);\n\n return $this->render('estarRdaBundle:Utentegruppoutente:new.html.twig', array(\n 'entity' => $entity,\n 'form' => $form->createView(),\n ));\n }", "public function actionCreate() {\n $model = new Forms();\n\n if ($this->request->isPost) {\n if ($model->load($this->request->post())) {\n $model->save();\n\n return $this->redirect(['view', 'id' => $model->id]);\n }\n } else {\n $model->loadDefaultValues();\n }\n\n return $this->render('create', [\n 'model' => $model,\n ]);\n }", "public function actionCreate()\n {\n $model = new Mobil();\n\n if ($model->load(Yii::$app->request->post()) && $model->save()) {\n return $this->redirect(['view', 'no_mobil' => $model->no_mobil, 'nopol' => $model->nopol]);\n }\n\n return $this->render('create', [\n 'model' => $model,\n ]);\n }", "public function actionCreate()\n {\n $model = new DatosPersonas();\n\n if ($model->load(Yii::$app->request->post())) {\n //echo $model->nacionalidad; die;\n \n \n \n if ($model->save()) {\n return $this->redirect(['view', 'id' => $model->id]);\n }\n } \n \n\n return $this->render('create', [\n 'model' => $model,\n ]);\n }", "public function create()\n {\n return view('pengumuman.add');\n }", "public function create()\n {\n return view('medicaments.create');\n }" ]
[ "0.77304924", "0.7423695", "0.74188375", "0.74005765", "0.73590195", "0.73315847", "0.73307854", "0.7312244", "0.7272226", "0.72427225", "0.7231515", "0.72232926", "0.7221914", "0.7214072", "0.72091633", "0.7204984", "0.7184115", "0.71829015", "0.718091", "0.7176398", "0.71727586", "0.7171946", "0.7168423", "0.71622527", "0.71570534", "0.71570235", "0.7150233", "0.71455437", "0.7138655", "0.7129062" ]
0.84162
0
Finds and displays a Megaloman entity.
public function showAction($id) { $em = $this->getDoctrine()->getManager(); $entity = $em->getRepository('MegalomanBundle:Megaloman')->find($id); if (!$entity) { throw $this->createNotFoundException('Unable to find Megaloman entity.'); } $deleteForm = $this->createDeleteForm($id); return $this->render('MegalomanBundle:Megaloman:show.html.twig', array( 'entity' => $entity, 'delete_form' => $deleteForm->createView(), )); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function indexAction() {\n $em = $this->getDoctrine()->getManager();\n\n $entities = $em->getRepository('MegalomanBundle:Megaloman')->findAll();\n\n return $this->render('MegalomanBundle:Megaloman:index.html.twig', array(\n 'entities' => $entities,\n ));\n }", "public function showAction()\n {\n $contacts =$this->getDoctrine()->getRepository(Contact::class)->findAll();\n //add the list of modeles to the render function as input to be sent to the view\n return $this->render('@Contact/Contact/show.html.twig', array(\n 'contacts' => $contacts\n ));\n }", "public function showAction()\n {\n $em = $this->getDoctrine()->getManager();\n\n $query = $em->createQuery('SELECT dm FROM StaticContentBundle:DailymediaStaticContent dm ORDER BY dm.id ASC')->setMaxResults(1);\n $entity = $query->getResult();\n if (!$entity) {\n throw $this->createNotFoundException('Unable to find StaticContent entity.');\n }\n\n\n return $this->render('StaticContentBundle:DailymediaStaticContent:show.html.twig', array(\n 'entity' => $entity,\n ));\n }", "public function showAction($id) {\n\n $user = $this->getUser();\n if (!$user) {\n return $this->render('AeagDieBundle:Default:interdit.html.twig');\n }\n $session = $this->get('session');\n $session->set('menu', 'Admin');\n $session->set('controller', 'Organisme');\n $session->set('fonction', 'show');\n $em = $this->get('doctrine')->getManager('die');\n\n\n $entity = $em->getRepository('AeagDieBundle:Organisme')->find($id);\n\n if (!$entity) {\n throw $this->createNotFoundException('Unable to find Organisme entity.');\n }\n\n return $this->render('AeagDieBundle:Organisme:show.html.twig', array(\n 'entity' => $entity,\n ));\n }", "public function show(Deneme $deneme)\n {\n //\n }", "public function showAction()\n {\n $em = $this->getDoctrine()->getManager();\n\n $notesrv = $em->getRepository('NoteserviceBundle:Notesrv')->findAll();\n\n return $this->render('notesrv/show.html.twig', array(\n 'notesrv' => $notesrv,\n ));\n }", "public function newAction() {\n $entity = new Megaloman();\n $form = $this->createCreateForm($entity);\n\n return $this->render('MegalomanBundle:Megaloman:new.html.twig', array(\n 'entity' => $entity,\n 'form' => $form->createView(),\n ));\n }", "public function showAction($id)\n {\n $em = $this->getDoctrine()->getManager();\n\n $entity = $em->getRepository('mqlUITCandidatureBundle:Diplome')->find($id);\n\n if (!$entity) {\n throw $this->createNotFoundException('Unable to find Diplome entity.');\n }\n\n $deleteForm = $this->createDeleteForm($id);\n\n return $this->render('mqlUITCandidatureBundle:Diplome:show.html.twig', array(\n 'entity' => $entity,\n 'delete_form' => $deleteForm->createView(), ));\n }", "public function showwAction()\n {\n $em = $this->getDoctrine()->getManager();\n\n $notesrv = $em->getRepository('NoteserviceBundle:Notesrv')->findAll();\n\n return $this->render('notesrv/show2.html.twig', array(\n 'notesrv' => $notesrv,\n ));\n }", "public function showAction()\n {\n $em = $this->getDoctrine()->getManager();\n $id = $_GET['id'];\n $entity = $em->getRepository('BackendBundle:Concepto')->find($id);\n\n if (!$entity) {\n throw $this->createNotFoundException('Unable to find Concepto entity.');\n }\n\n $deleteForm = $this->createDeleteForm($id);\n\n return $this->render('BackendBundle:Concepto:show.html.twig', array(\n 'entity' => $entity,\n 'delete_form' => $deleteForm->createView(),\n ));\n }", "public function show($id) {\n //view/edit page referred to as one entity in spec\n }", "public function show(Medewerker $medewerker)\n {\n //\n }", "public function showAction($id) {\n $em = $this->getDoctrine()->getManager();\n $entity = $em->getRepository('ApplicationRelationsBundle:Serveurs')->myFindAll($id);\n if (!$entity) {\n throw $this->createNotFoundException('Unable to find Serveurs entity.');\n }\n $deleteForm = $this->createDeleteForm($id);\n return $this->render('ApplicationRelationsBundle:Serveurs:show.html.twig', array(\n 'entity' => $entity,\n 'delete_form' => $deleteForm->createView(),));\n }", "public function getEntityViewDisplay();", "public function showAction()\n {\n $currentUser = $this->get('security.context')->getToken()->getUser();\n\n $em = $this->getDoctrine()->getEntityManager();\n\n $entity = $em->getRepository('FabfotoUserBundle:User')->find($currentUser->getId());\n\n if (!$entity) {\n throw $this->createNotFoundException('Unable to find User entity.');\n }\n\n return $this->render('FabfotoUserBundle:User:show.html.twig', array(\n 'entity' => $entity,\n ));\n }", "public function action_show()\n\t{\n\t\t$id = Coder::instance()->short_url($this->request->param('id'), TRUE);\n\n\t\tif (is_numeric($id) === FALSE)\n\t\t{\n\t\t\tHTTP::redirect(Route::get('default')->uri());\n\t\t}\n\t\t\n\t\t$user = ORM::factory('User', $id);\n\t\t$manager = Manager::factory('User', $user);\n\t\t\n\t\t$manager->show();\n\n\t\t$this->view_container = $manager->get_views_result('container');\n\t\t$this->view_content = $manager->get_views_result('content');\n\t}", "public function showById()\n {\n // Creamos esta instancia para poder editar el animal\n $animal = new Animal();\n\n if (isset($_REQUEST['id'])) {\n $animal = $this->model->getById($_REQUEST['id']);\n }\n require_once 'view/animal_form.php';\n }", "public function show(Medicat $medicat)\n {\n //\n }", "public function show($medico)\n {\n //\n }", "public function indexAction()\n {\n $em = $this->getDoctrine()->getManager();\n\n $meubles = $em->getRepository('AppBundle:Meuble')->findAll();\n\n return $this->render('meuble/index.html.twig', array(\n 'meubles' => $meubles,\n ));\n }", "public function show(Mediciones $mediciones)\n {\n //\n }", "public function indexAction()\n {\n $em = $this->getDoctrine()->getManager();\n\n $entities = $em->getRepository('mqlUITCandidatureBundle:Diplome')->findAll();\n\n return $this->render('mqlUITCandidatureBundle:Diplome:index.html.twig', array(\n 'entities' => $entities,\n ));\n }", "public function show(Medicine $medicine)\n {\n //\n\n }", "public function showAction($nodeid) {\n $item = $this->getDoctrine()->getRepository('OpenviewTreeRepoBundle:Node')->find($nodeid);\n $metadataArray = array();\n \n $srH = new SearchResultHandler($this->get('doctrine_mongodb'));\n if ($item) {\n // carica metadati, se esistono\n $metadataArray = $srH->getMetadata($item->getMetadata());\n }\n \n return $this->render('OpenviewTreeRepoBundle:Node:show.html.twig', array(\n 'item'=>$item,\n 'metadata'=>$metadataArray,\n ));\n }", "public function show ($id){\n \n }", "public function show(Medicine $medicine)\n {\n //\n }", "public function show()\n {\n $metodos = Metodo::orderBy('nombre_metodo')->paginate(10);\n return view('admin.metodos.index')->with('metodos',$metodos);\n }", "public function show(Michael $michael)\n {\n //\n }", "public function show(Pemanduan $pemanduan)\n {\n //\n }", "public function showAction() {\n\n // validate contact id is int\n $id = $this->route_params[\"id\"];\n // if id is invalid redirect to 404 page\n if (filter_var($id, FILTER_VALIDATE_INT) === false) {\n $this->show404();\n return;\n }\n\n $contact_obj = new Contact();\n $contact = $contact_obj->findById($id);\n // if no contact returned then display error message\n if ($contact == false) {\n //set error message\n $_SESSION[\"error_message\"] = \"Contact not found or deleted\";\n // redirect to show all contacts if contacts not found\n header(\"Location: /contacts\");\n return;\n }\n // render the view if all everything is Ok\n View::renderTemplate(\"contacts/show.twig.php\", [\"contact\" => $contact]);\n }" ]
[ "0.6541555", "0.6282396", "0.6263566", "0.61851", "0.61841863", "0.6146791", "0.61257046", "0.6113896", "0.60554314", "0.6038309", "0.6024106", "0.60138166", "0.5998772", "0.59956056", "0.5991162", "0.59785557", "0.59584343", "0.59499973", "0.5949563", "0.59324557", "0.5920085", "0.59169555", "0.5909625", "0.5899622", "0.5876866", "0.58700126", "0.58677083", "0.5860256", "0.585952", "0.58232033" ]
0.719195
0
Displays a form to edit an existing Megaloman entity.
public function editAction($id) { $em = $this->getDoctrine()->getManager(); $entity = $em->getRepository('MegalomanBundle:Megaloman')->find($id); if (!$entity) { throw $this->createNotFoundException('Unable to find Megaloman entity.'); } $editForm = $this->createEditForm($entity); $deleteForm = $this->createDeleteForm($id); return $this->render('MegalomanBundle:Megaloman:edit.html.twig', array( 'entity' => $entity, 'edit_form' => $editForm->createView(), 'delete_form' => $deleteForm->createView(), )); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function action_edit() {\n $article_id = $this->request->param('id');\n $article = new Model_Article($article_id);\n\n $this->template->title = \"Editar Art&iacute;culo\";\n $this->template->content = View::factory('article/dashboard/form')\n ->bind('article', $article);\n }", "private function createEditForm(Megaloman $entity) {\n $form = $this->createForm(new MegalomanType(), $entity, array(\n 'action' => $this->generateUrl('megaloman_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Zapisz'));\n\n return $form;\n }", "public function actionEdit()\n\t{\n\t \t// render the template, pass model on render template\n \t$this->renderTemplate('weatheroots/_edit');\n\t}", "public function editAction ()\n {\n $form = new $this->form();\n\n $request = $this->getRequest ();\n $param = $this->params ()->fromRoute ('id', 0);\n\n $repository = $this->getEm ()->getRepository ($this->entity);\n $entity = $repository->find ($param);\n\n if ($entity) {\n\n $form->setData ($entity->toArray ());\n\n if ( $request->isPost () ) {\n\n $form->setData ($request->getPost ());\n\n $data = $request->getPost ()->toArray ();\n\n $duplicate = $this->getEm ()->getRepository ($this->entity)->findOneBy (array('description' => $data['description']));\n\n if ($duplicate) {\n return new ViewModel (array('form' => $form, 'id' => $param, 'duplicate' => 'Já existe um cadastrado com este nome!'));\n }\n if ( $form->isValid () ) {\n\n $service = $this->getServiceLocator ()->get ($this->service);\n $service->update ($data);\n\n return $this->redirect ()->toRoute ($this->route, array('controller' => $this->controller));\n }\n }\n } else {\n return $this->redirect ()->toRoute ($this->route, array('controller' => $this->controller));\n }\n\n return new ViewModel (array('form' => $form, 'id' => $param));\n\n }", "function edit()\n {\n $this->_view_edit('edit');\n }", "public function showEditForm()\n {\n return view('profile.edit');\n }", "public function edit()\n {\n return view('fehome::edit');\n }", "public function editAction($id)\n {\n $em = $this->getDoctrine()->getManager();\n\n $entity = $em->getRepository('SheikhuLibraryBundle:MaisonEdition')->find($id);\n\n if (!$entity) {\n throw $this->createNotFoundException('Unable to find MaisonEdition entity.');\n }\n\n $editForm = $this->createEditForm($entity);\n $deleteForm = $this->createDeleteForm($id);\n\n return $this->render('SheikhuLibraryBundle:MaisonEdition:edit.html.twig', array(\n 'entity' => $entity,\n 'edit_form' => $editForm->createView(),\n 'delete_form' => $deleteForm->createView(),\n ));\n }", "public function editAction($id)\n {\n $em = $this->getDoctrine()->getManager();\n\n $entity = $em->getRepository('mqlUITCandidatureBundle:Diplome')->find($id);\n\n if (!$entity) {\n throw $this->createNotFoundException('Unable to find Diplome entity.');\n }\n\n $editForm = $this->createForm(new DiplomeType(), $entity);\n $deleteForm = $this->createDeleteForm($id);\n\n return $this->render('mqlUITCandidatureBundle:Diplome:edit.html.twig', array(\n 'entity' => $entity,\n 'edit_form' => $editForm->createView(),\n 'delete_form' => $deleteForm->createView(),\n ));\n }", "public function edit(Form $form)\n {\n //\n }", "public function edit(Form $form)\n {\n //\n }", "public function edit(Form $form)\n {\n //\n }", "public function edit()\n {\n return view('penerimaanbarangpo::edit');\n }", "public function editAction()\n {\n $package = $this->_helper->db->findById();\n $form = $this->_getForm($package);\n $this->view->form = $form;\n $this->_processPackageForm($package, $form, 'edit');\n }", "public function editForm()\n {\n }", "public function editForm() {\n $data = $this->parent->getModel('grades')->select(\"SELECT studentid, studentname, studentpercent FROM studentgrades WHERE studentid = :id\", [':id'=>$_GET['id']]);\n $this->getView('editForm', $data);\n }", "public function editAction() {\n\t\t$this->loadLayout(); \n\t\t$this->renderLayout();\n\t}", "public function edit()\n {\n return view('admin::edit');\n }", "public function edit()\n {\n return view('adminusermanager::edit');\n }", "public function edit()\n {\n return view('leaveapplication::edit');\n }", "public function editAction($id) {\n\n $user = $this->getUser();\n if (!$user) {\n return $this->render('AeagDieBundle:Default:interdit.html.twig');\n }\n $session = $this->get('session');\n $session->set('menu', 'Admin');\n $session->set('controller', 'Organisme');\n $session->set('fonction', 'edit');\n $em = $this->get('doctrine')->getManager('die');\n\n $entity = $em->getRepository('AeagDieBundle:Organisme')->find($id);\n\n if (!$entity) {\n throw $this->createNotFoundException('Unable to find Organisme entity.');\n }\n\n $form = $this->createForm(new OrganismeType(), $entity);\n\n return $this->render('AeagDieBundle:Organisme:edit.html.twig', array(\n 'entity' => $entity,\n 'form' => $form->createView(),\n ));\n }", "public function edit($id)\n {\n //modificacion. tira el formulario con el dato cargado. genera una vista. \n\n }", "public function edit()\n {\n return view('frontend.edit');\n }", "public function edit()\n {\n return view('admin.control.modify.edit');\n }", "public function editAction()\n {\n View::renderTemplate('Profile/edit.html.twig', [\n 'user' => $this->user\n ]);\n }", "public function editAction()\n {\n $this->_forward('new');\n }", "public function edit() {\n $listeEspeces = $this->model->getEspeces();\n $this->view->editListEspeces($listeEspeces);\n }", "public function edit()\n {\n return view('psb::edit');\n }", "public function edit()\n {\n return view('clientapp::edit');\n }", "public function edit($id)\n\t{\n\t\t// get the genero\n\t\t$genero = Genero::find($id);\n\n\t\t// show the edit form and pass the genero\n\t\t$this->layout->content = View::make('genero.edit')\n\t\t\t->with('genero', $genero);\n\t}" ]
[ "0.74099064", "0.7264018", "0.71691537", "0.71528834", "0.71381086", "0.711706", "0.7103255", "0.7086635", "0.7085767", "0.70805943", "0.70805943", "0.70805943", "0.70775217", "0.7073986", "0.70546883", "0.70530206", "0.70485884", "0.70319444", "0.70082134", "0.70041037", "0.6993417", "0.698914", "0.6982069", "0.69800764", "0.697918", "0.6968304", "0.69639754", "0.6963905", "0.6957164", "0.6952714" ]
0.7964473
0
Creates a form to edit a Megaloman entity.
private function createEditForm(Megaloman $entity) { $form = $this->createForm(new MegalomanType(), $entity, array( 'action' => $this->generateUrl('megaloman_update', array('id' => $entity->getId())), 'method' => 'PUT', )); $form->add('submit', 'submit', array('label' => 'Zapisz')); return $form; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "private function createEditForm(Meal $entity)\n {\n $form = $this->createForm(new MealType(), $entity, array(\n 'action' => $this->generateUrl('meal_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n ));\n\n// $form->add('submit', 'submit', array('label' => 'Update'));\n\n return $form;\n }", "public function editAction($id) {\n $em = $this->getDoctrine()->getManager();\n\n $entity = $em->getRepository('MegalomanBundle:Megaloman')->find($id);\n\n if (!$entity) {\n throw $this->createNotFoundException('Unable to find Megaloman entity.');\n }\n\n $editForm = $this->createEditForm($entity);\n $deleteForm = $this->createDeleteForm($id);\n\n return $this->render('MegalomanBundle:Megaloman:edit.html.twig', array(\n 'entity' => $entity,\n 'edit_form' => $editForm->createView(),\n 'delete_form' => $deleteForm->createView(),\n ));\n }", "private function createEditForm(Modelo $entity)\n {\n $form = $this->createForm(new ModeloType(), $entity, array(\n 'action' => $this->generateUrl('modelo_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Modificar', 'attr'=>array('onclick'=>'return confirmar()')));\n\t\t\n\t\treturn $form;\n }", "private function createEditForm(MaisonEdition $entity)\n {\n $form = $this->createForm(new MaisonEditionType(), $entity, array(\n 'action' => $this->generateUrl('editeurs_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Update'));\n\n return $form;\n }", "private function createEditForm(Hijo $entity)\n {\n $form = $this->createForm(new HijoType(), $entity, array(\n 'action' => $this->generateUrl('hijos_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n ));\n\n //$form->add('submit', 'submit', array('label' => 'Update'));\n\n return $form;\n }", "private function createEditForm(EstatServei $entity)\n {\n $form = $this->createForm(new EstatServeiType(), $entity, array(\n 'action' => $this->generateUrl('admin_estatservei_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Update'));\n\n return $form;\n }", "private function createEditForm(Hoja $entity)\n {\n $form = $this->createForm(new HojaType(), $entity, array(\n 'action' => $this->generateUrl('hoja_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n 'attr' => array('class' => 'box-body')\n ));\n\n $form->add(\n 'submit',\n 'submit',\n array(\n 'label' => 'Actualizar',\n 'attr' => array('class' => 'btn btn-primary pull-right'),\n )\n );\n\n return $form;\n }", "private function createEditForm(DatosGenerales $entity, $codMuni)\n {\n $form = $this->createForm(new DatosGeneralesType(), $entity, array(\n 'action' => $this->generateUrl('datosgenerales_update', array('id' => $entity->getIdEnc())),\n 'method' => 'PUT',\n 'codMuni' => $codMuni,\n ));\n\n $form->add('submit', 'submit', array('label' => 'Actualizar', 'attr' => array('class' => 'btn-success')));\n\n return $form;\n }", "private function createEditForm(Caluga $entity)\n {\n $form = $this->createForm(new CalugaType(), $entity, array(\n 'action' => $this->generateUrl('admin_caluga_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Editar','attr' => array('class' => 'btn btn-primary')));\n\n return $form;\n }", "private function createEditForm(Agente $entity)\n {\n $form = $this->createForm(new AgenteType(), $entity, array(\n 'action' => $this->generateUrl('agente_update', array('id' => $entity->getId())),\n 'method' => 'POST',\n ));\n\n //$form->add('submit', 'submit', array('label' => 'Update'));\n\n return $form;\n }", "public function edit(Form $form)\n {\n //\n }", "public function edit(Form $form)\n {\n //\n }", "public function edit(Form $form)\n {\n //\n }", "private function createEditForm(ShcpInsCtlEnfermedad $entity)\n {\n $form = $this->createForm(new ShcpInsCtlEnfermedadType(), $entity, array(\n 'action' => $this->generateUrl('shcpinsctlenfermedad_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Update'));\n\n return $form;\n }", "private function createEditForm(Personne $entity) {\n $form = $this->createForm(new PersonneType(), $entity, array(\n 'action' => $this->generateUrl('personne_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Update'));\n\n return $form;\n }", "private function createEditForm(DocmanContenido $entity) {\n $form = $this->createForm(new DocmanContenidoType(), $entity, array(\n 'action' => $this->generateUrl('docmancontenido_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Actualizar'));\n\n return $form;\n }", "private function createEditForm(Pago $entity)\n {\n $form = $this->createForm(new PagoType(), $entity, array(\n 'action' => $this->generateUrl('pago_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Update'));\n\n return $form;\n }", "private function createEditForm(Hojadevida $entity) {\n $form = $this->createForm(new HojadevidaType(), $entity, array(\n 'action' => $this->generateUrl('hojadevida_update', array('id' => $entity->getIdhv())),\n 'method' => 'POST',\n ));\n $form->add('tipoDocumento', 'choice', array(\n 'choices' => array(\n 'CC' => 'CC',\n 'TI' => 'TI',\n 'PAS' => 'PAS',\n 'CE' => 'CE'\n ),\n 'disabled' => true,\n 'empty_value' => 'Seleccione tipo',\n 'empty_data' => null\n ));\n $form->add('nit', 'text', array('read_only' => true));\n $form->add('image', 'file', array(\n 'data_class' => null,\n 'required' => false\n ));\n $form->add('image1', 'file', array(\n 'data_class' => null,\n 'required' => false\n ));\n $form->add('image2', 'file', array(\n 'data_class' => null,\n 'required' => false\n ));\n $form->add('submit', 'submit', array('label' => 'Actualizar'));\n\n return $form;\n }", "public function editForm()\n {\n }", "private function createEditForm(ChamadaNivel $entity)\n {\n $form = $this->createForm(new ChamadaNivelType(), $entity, array(\n 'action' => $this->generateUrl('chamadanivel_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Update'));\n\n return $form;\n }", "private function createEditForm(Facture $entity)\n {\n $form = $this->createForm(new FactureType(), $entity, array(\n 'action' => $this->generateUrl('facture_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Update'));\n\n return $form;\n }", "private function createEditForm(Caja $entity)\n {\n $form = $this->createForm(new CajaType(), $entity, array(\n 'action' => $this->generateUrl('caja_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Guardar'));\n\n return $form;\n }", "private function createEditForm(Recurso $entity)\n {\n if($entity->getTipoAcceso() == Recurso::TIPO_ACCESO_EDIFICIO){\n $formType = new RecursoPorEdificioType($this->getResidencialActual($this->getResidencialDefault()));\n }else{\n $formType = new RecursoType();\n }\n $form = $this->createForm($formType, $entity, array(\n 'action' => $this->generateUrl('recursos_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n 'em'=>$this->getDoctrine()->getManager(),\n ));\n\n ////$form->add('submit', 'submit', array('label' => 'Update'));\n\n return $form;\n }", "private function createEditForm(DatosEducacion $entity)\n {\n $form = $this->createForm(new DatosEducacionType(), $entity, array(\n 'action' => $this->generateUrl('datoseducacion_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Actualizar', 'attr' => array('class' => 'btn-success')));\n\n return $form;\n }", "public function edit($id)\n {\n //modificacion. tira el formulario con el dato cargado. genera una vista. \n\n }", "private function createEditForm(AlumnoSalon $entity)\n {\n $form = $this->createForm(new AlumnoSalonType(), $entity, array(\n 'action' => $this->generateUrl('alumnosalon_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Update'));\n\n return $form;\n }", "private function createEditForm(Puesto $entity)\n {\n $form = $this->createForm(PuestoType::class, $entity, array(\n 'action' => $this->generateUrl('puesto_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n 'user' => $this->getUser()\n ));\n\n $form->add('submit', SubmitType::class, array('label' => 'Update'));\n\n return $form;\n }", "private function createEditForm(Page $entity)\n {\n\n $form = $this->createForm(new PageType($entity->getUser()->getId()), $entity, array(\n 'action' => $this->generateUrl('page_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n 'attr' => array(\n 'class' => 'form-horizontal',\n 'novalidate' => 'novalidate',\n )\n ));\n\n $form->add('submit', 'submit', array('label' => 'Update', 'attr' => array('class' => 'btn btn-primary')));\n $form->add('reset', 'reset', array('label' => 'Reset', 'attr' => array('class' => 'btn btn-danger')));\n\n\n return $form;\n }", "public function newAction() {\n $entity = new Megaloman();\n $form = $this->createCreateForm($entity);\n\n return $this->render('MegalomanBundle:Megaloman:new.html.twig', array(\n 'entity' => $entity,\n 'form' => $form->createView(),\n ));\n }", "private function createEditForm(VisitaPromocion $entity) {\n $form = $this->createForm(new VisitaPromocionType(), $entity, array(\n 'action' => $this->generateUrl('visitapromocion_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Update'));\n\n return $form;\n }" ]
[ "0.73600304", "0.7329557", "0.71961254", "0.71888125", "0.7181755", "0.7087607", "0.70727617", "0.7054556", "0.7009588", "0.696813", "0.6899506", "0.6899506", "0.6899506", "0.6878275", "0.6864972", "0.68414754", "0.68136394", "0.6793189", "0.67766356", "0.67759484", "0.6771283", "0.67610747", "0.6755462", "0.67533314", "0.6752196", "0.6749839", "0.67452174", "0.67336434", "0.6732235", "0.6731398" ]
0.8281105
0
Edits an existing Megaloman entity.
public function updateAction(Request $request, $id) { $em = $this->getDoctrine()->getManager(); $entity = $em->getRepository('MegalomanBundle:Megaloman')->find($id); if (!$entity) { throw $this->createNotFoundException('Unable to find Megaloman entity.'); } $deleteForm = $this->createDeleteForm($id); $editForm = $this->createEditForm($entity); $editForm->handleRequest($request); if ($editForm->isValid()) { $em->flush(); return $this->redirect($this->generateUrl('megaloman_edit', array('id' => $id))); } return $this->render('MegalomanBundle:Megaloman:edit.html.twig', array( 'entity' => $entity, 'edit_form' => $editForm->createView(), 'delete_form' => $deleteForm->createView(), )); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function editAction($id) {\n $em = $this->getDoctrine()->getManager();\n\n $entity = $em->getRepository('MegalomanBundle:Megaloman')->find($id);\n\n if (!$entity) {\n throw $this->createNotFoundException('Unable to find Megaloman entity.');\n }\n\n $editForm = $this->createEditForm($entity);\n $deleteForm = $this->createDeleteForm($id);\n\n return $this->render('MegalomanBundle:Megaloman:edit.html.twig', array(\n 'entity' => $entity,\n 'edit_form' => $editForm->createView(),\n 'delete_form' => $deleteForm->createView(),\n ));\n }", "public function edit(JadwalMekanik $jadwalMekanik)\n {\n //\n }", "public function edit(Medewerker $medewerker)\n {\n //\n }", "public function edit(Pengiriman $pengiriman)\n {\n //\n }", "public function edit(Medicat $medicat)\n {\n //\n }", "public function edit(Mediciones $mediciones)\n {\n //\n }", "public function edit(Medicos $medicos)\n {\n //\n }", "public function edit(Mesg $mesg)\n {\n //\n }", "public function edit(pemasukan $pemasukan)\n {\n //\n }", "private function createEditForm(Megaloman $entity) {\n $form = $this->createForm(new MegalomanType(), $entity, array(\n 'action' => $this->generateUrl('megaloman_update', array('id' => $entity->getId())),\n 'method' => 'PUT',\n ));\n\n $form->add('submit', 'submit', array('label' => 'Zapisz'));\n\n return $form;\n }", "public function edit(Emergente $emergente)\n {\n //\n }", "public function editAction ()\n {\n $form = new $this->form();\n\n $request = $this->getRequest ();\n $param = $this->params ()->fromRoute ('id', 0);\n\n $repository = $this->getEm ()->getRepository ($this->entity);\n $entity = $repository->find ($param);\n\n if ($entity) {\n\n $form->setData ($entity->toArray ());\n\n if ( $request->isPost () ) {\n\n $form->setData ($request->getPost ());\n\n $data = $request->getPost ()->toArray ();\n\n $duplicate = $this->getEm ()->getRepository ($this->entity)->findOneBy (array('description' => $data['description']));\n\n if ($duplicate) {\n return new ViewModel (array('form' => $form, 'id' => $param, 'duplicate' => 'Já existe um cadastrado com este nome!'));\n }\n if ( $form->isValid () ) {\n\n $service = $this->getServiceLocator ()->get ($this->service);\n $service->update ($data);\n\n return $this->redirect ()->toRoute ($this->route, array('controller' => $this->controller));\n }\n }\n } else {\n return $this->redirect ()->toRoute ($this->route, array('controller' => $this->controller));\n }\n\n return new ViewModel (array('form' => $form, 'id' => $param));\n\n }", "public function editar(){\n /* Instancio el modelo materiales */\n $m = new Materiales();\n /* Detecta si se ha mandado un metodo POST */\n if(Input::hasPost(\"editar\")){\n /* Busca el id del material */\n $m->find(Input::post(\"editar.id\"));\n /* Le asigna el nombre mandado del POST */\n $m->nombre = Input::post(\"editar.nombre\");\n /* Le asigna la cantidad de materiales mandadas por POST */\n $m->num = Input::post(\"editar.num\");\n /* Le asigna el estatus mandado por POST */\n $m->status = Input::post(\"editar.status\");\n /* Modifica el material */\n if(!$m->update()){\n /* Si falla dara este mensaje de error y se volvera a\n * la vista materiales */\n Flash::error(\"ERROR!\");\n Redirect::to(\"admin/materiales\");\n }else{\n /* Si se modifican, avisa y se dirigira a la vista materiales */\n Flash::valid(\"¡Ha sido editado con Exito!\");\n Redirect::to(\"admin/materiales\");\n }\n }\n }", "public function edit(){\r\n\t\t//$this->auth->set_access('edit');\r\n\t\t//$this->auth->validate();\r\n\r\n\t\t//call save method\r\n\t\t$this->save();\r\n\t}", "public function edit(Michael $michael)\n {\n //\n }", "public function edit(Pemesanan $pemesanan)\n {\n //\n }", "public function edit(Appoinment $appoinment)\n {\n //\n }", "public function edit(Mesa $mesa)\n {\n //\n }", "public function edit($id) // modifica\n {\n \n }", "public function editar(){\n\t\t\t$conn = Connection::getDb();\n\t\t\t$contato = new Contato($conn);\n\n\t\t\t$contato->__set('id', $_POST['id']);\n\t\t\t$contato->__set('nome', $_POST['nome']);\n\t\t\t$contato->__set('telefone', $_POST['telefone']);\n\t\t\t$contato->__set('cidade', $_POST['cidade']);\n\t\t\t$contato->__set('email', $_POST['email']);\n\t\t\t$contato->__set('cep', $_POST['cep']);\n\t\t\t$contato->__set('foto', 'avatar');\n\t\t\t$contato->editar();\n\n\t\t\theader('Location: /contatos');\n\t\t\texit();\n\t\t}", "public function edit(Promotion $promotion)\n {\n //\n }", "public function edit(Promotion $promotion)\n {\n //\n }", "public function edit(Pembayaran $pembayaran)\n {\n //\n }", "public function edit(Pembayaran $pembayaran)\n {\n //\n }", "public function edit(Veem $veem)\n {\n //\n }", "public function editFoodlike(){\n\t\t$edit=likeFoodEloquent::find($this->id);\n\t\t$edit->userid=$this->userid;\n\t\t$edit->foodlikeid=$this->foodlikeid;\n\t\t$edit->save();\n\t}", "public function edit(penjualan $penjualan)\n {\n //\n }", "public function edit(Fornada $fornada)\n {\n //\n }", "public function edit(Pemetaan $pemetaan)\n {\n //\n }", "public function edit(Mazo $mazo)\n {\n //\n }" ]
[ "0.6997831", "0.6695637", "0.66027075", "0.6599705", "0.6594655", "0.650867", "0.6491858", "0.64590853", "0.64408225", "0.64036876", "0.63176686", "0.6308215", "0.62636185", "0.625214", "0.6244449", "0.6214771", "0.62121046", "0.62114084", "0.6186246", "0.6176282", "0.61755764", "0.61755764", "0.6169701", "0.6169701", "0.6143853", "0.6139281", "0.61327904", "0.61306584", "0.6125847", "0.61232173" ]
0.70465577
0
Creates a form to delete a Megaloman entity by id.
private function createDeleteForm($id) { return $this->createFormBuilder() ->setAction($this->generateUrl('megaloman_delete', array('id' => $id))) ->setMethod('DELETE') ->add('submit', 'submit', array('label' => 'Usuń')) ->getForm() ; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "private function createDeleteForm($id) {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('personne_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit', 'submit', array('label' => 'Delete'))\n ->getForm()\n ;\n }", "private function createDeleteForm()\n {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('turnossede_delete', array('id' => '__obj_id__')))\n ->setMethod('DELETE')\n ->getForm()\n ;\n }", "private function createDeleteForm($id)\n {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('meal_delete', array('id' => $id)))\n ->setMethod('DELETE')\n// ->add('submit', 'submit', array('label' => 'Delete'))\n ->getForm()\n ;\n }", "private function createDeleteForm($id)\n {\n return $this->createFormBuilder(null, array ( 'attr' => array ( 'id' => 'delete_record' ) ) )\n ->setAction($this->generateUrl('cms_produtos_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit', 'submit', array('label' => 'Excluir', 'attr' => array('class' => 'btn btn-danger delete')))\n ->getForm()\n ;\n }", "private function createDeleteForm($id) {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('ge_estudiante_delete', array('id' => $id)))\n ->setMethod('POST')\n ->add('submit', 'submit', array('label' => 'Eliminar'))\n ->getForm();\n }", "private function createDeleteForm($id)\n {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('admin_estatservei_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit', 'submit', array('label' => 'Delete'))\n ->getForm()\n ;\n }", "private function createDeleteForm($id) {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('docmancontenido_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit', 'submit', array('label' => 'Eliminar'))\n ->getForm()\n ;\n }", "private function createDeleteForm($id) {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('rutasugerida_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit', 'submit', array('label' => 'Eliminar', 'attr' => array('class' => 'btn btn-primary btn-sm')))\n ->getForm()\n ;\n }", "private function createDeleteForm($id) {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('codespostaux_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit', 'submit', array('label' => 'Delete'))\n ->getForm()\n ;\n }", "private function createDeleteForm($id)\n {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('licenciaequipo_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit', 'submit', array('label' => 'Eliminar','attr' => array('class' => 'btn btn-danger')))\n ->getForm()\n ;\n }", "private function createDeleteForm(Maid $maid)\n {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('back-office_maid_delete', array('id' => $maid->getId())))\n ->setMethod('DELETE')\n ->getForm();\n }", "private function createDeleteForm($id)\n {\n // return $this->createFormBuilder()\n // ->setAction($this->generateUrl('func_pedido_delete', array('id' => $id)))\n // ->setMethod('DELETE')\n // ->add('submit', 'submit', array('label' => 'Delete'))\n // ->getForm()\n // ;\n }", "private function createDeleteForm($id)\n {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('avenant_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit', 'submit', array('label' => 'Supprimer','attr'=>array( 'class'=> 'pc_sidebar_element')))\n ->getForm()\n ;\n }", "private function createDeleteForm($id)\n {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('gestionarcitas_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit2', 'submit', array('label' => 'Eliminar','attr'=>array('class'=>'btn btn-default ')))\n ->getForm()\n ;\n }", "private function createDeleteForm($id)\n {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('slider_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit', 'submit', array(\n 'label' => 'SUPPRIMER ',\n 'attr' => array('class' => 'btn btn-danger'),\n ))\n ->getForm()\n ;\n }", "private function createDeleteForm($id) {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('visitapromocion_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit', 'submit', array('label' => 'Delete'))\n ->getForm()\n ;\n }", "private function createDeleteForm($id)\n {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('admin_caluga_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit', 'submit', array('label' => 'Eliminar', 'attr'=> array('class' => 'btn btn-danger')))\n ->getForm()\n ;\n }", "private function createDeleteForm($id)\n {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('relationship_delete', array('id' => $id)))\n ->setMethod('DELETE')\n// ->add('submit', 'submit', array('label' => 'Delete'))\n ->getForm()\n ;\n }", "private function createDeleteForm($id) {\n return $this->createFormBuilder()\n\t\t ->setAction($this->generateUrl('producto_delete', array('id' => $id)))\n\t\t ->setMethod('DELETE')\n\t\t ->add('submit', 'submit', array('label' => 'Delete'))\n\t\t ->getForm()\n ;\n }", "private function createDeleteForm($id) {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('hojadevida_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit', 'submit', array('label' => 'Eliminar', 'attr' => array('class' => 'btn btn-danger btn-block')))\n ->getForm()\n ;\n }", "private function createDeleteForm($id)\n {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('backend_oferty_handlowe_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit', 'submit', array('label' => 'Usuń'))\n ->getForm()\n ;\n }", "private function createDeleteForm($id)\n {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('contato_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit', 'submit', array('label' => 'Excluir'))\n ->getForm()\n ;\n }", "private function createDeleteForm($id)\n {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('utentegruppoutente_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit', 'submit', array('label' => 'Delete'))\n ->getForm()\n ;\n }", "private\n function createDeleteForm($id)\n {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('equipes_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit', 'submit', array('label' => 'Delete', 'attr' => array(\n 'class' => 'btn btn-block btn-danger',\n 'style' => 'margin-top:5px;'\n )))\n ->getForm();\n }", "private function createDeleteForm($id)\n {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('fuentefinanciamiento_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit', 'submit', array('label' => 'Eliminar','attr' => array('class' => 'btn-danger')))\n ->getForm()\n ;\n }", "private function createDeleteForm($id)\n {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('equipe_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit', 'submit', array('label' => 'Excluir'))\n ->getForm()\n ;\n }", "private function createDeleteForm($id)\n {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('mm_cmf_admin_contentnode_delete', array('id' => $id)))\n ->setMethod('DELETE')\n //->add('submit', SubmitType::class, array('label' => 'Delete'))\n ->getForm()\n ;\n }", "private function createDeleteForm($id)\n {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('secteur_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit', 'submit', array('label' => 'Supprimer', 'attr' => array('class'=>'btn btn-danger btn-block margin-bottom')))\n ->getForm()\n ;\n }", "private function createDeleteForm($id)\n {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('presenters_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit', 'submit', array('label' => 'Удалить представителя', 'attr' => array('class' => 'btn btn-default btn-lg btn-block')))\n ->getForm()\n ;\n }", "private function createDeleteForm($id)\n {\n return $this->createFormBuilder()\n ->setAction($this->generateUrl('contactos_delete', array('id' => $id)))\n ->setMethod('DELETE')\n ->add('submit', 'submit', array('label' => 'Delete','attr'=>array('class'=>'btn btn-danger')))\n ->getForm()\n ;\n }" ]
[ "0.79822814", "0.79096955", "0.78504163", "0.77720475", "0.7765023", "0.7761842", "0.7743351", "0.77363133", "0.7727452", "0.7722387", "0.7718029", "0.77162534", "0.7709108", "0.7707683", "0.7705177", "0.7703918", "0.7697823", "0.76953816", "0.76940614", "0.7691109", "0.7683586", "0.76820064", "0.7679434", "0.7673814", "0.7672163", "0.76660633", "0.7664306", "0.7662239", "0.7661578", "0.7650546" ]
0.8076447
0
Returns a streamed Response with the json content of the exported entity
public function export() { $em = $this->em; $entityClass = $this->entityClass; $listFields = $this->listFields; $response = new StreamedResponse(function() use($em, $entityClass, $listFields) { // Get all objects in db $repository = $em->getRepository($entityClass); $results = $repository->createQueryBuilder('o')->getQuery()->getArrayResult(); $handle = fopen('php://output', 'r+'); fwrite($handle, json_encode($results)); fclose($handle); }); return $response; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function export(): Response;", "private function createResponse(): StreamedResponse\n {\n $writer = $this->excelService->createWriter($this->excelObject, 'Excel2007');\n $response = $this->excelService->createStreamedResponse($writer);\n\n $dispositionHeader = $response->headers->makeDisposition(\n ResponseHeaderBag::DISPOSITION_ATTACHMENT,\n 'export-'.date('Y-m-d-h-i-s').'.xlsx'\n );\n $response->headers->set('Content-Type', 'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet');\n $response->headers->set('Pragma', 'public');\n $response->headers->set('Cache-Control', 'maxage=1');\n $response->headers->set('Content-Disposition', $dispositionHeader);\n $response->headers->set('set-cookie', 'fileDownload=true; path=/', false);\n\n return $response;\n }", "public function response() {\n $this->jsonApiGenerator->reset();\n $this->jsonApiGenerator->setEntities($this->getEntities());\n $this->jsonApiGenerator->setLinks($this->getLinks());\n $this->jsonApiGenerator->setMetadata($this->getMetadata());\n $this->jsonApiGenerator->setIncludes($this->getIncludes());\n\n // Build a return the response.\n $response = new ResourceResponse(\n $this->jsonApiGenerator->generate(FALSE),\n 200,\n $this->getHeaders()\n );\n\n // Add the response cacheability.\n $response->addCacheableDependency(\n $this->jsonApiGenerator\n );\n $response->addCacheableDependency((new CacheableMetadata())\n ->addCacheContexts($this->getCacheContexts())\n ->addCacheTags($this->getCacheTags()));\n\n return $response;\n }", "public function writeResponseContent();", "public function getResponseStreaming() {}", "public function getJSONResponse(){\n return json_decode($this->getOutput());\n }", "#[HttpGet]\n public function productList(): ResponseInterface\n {\n $data = [\n 'app api',\n 'value1',\n 'value2'\n ];\n $payload = json_encode($data, JSON_THROW_ON_ERROR);\n\n $this->response\n ->getBody()\n ?->write(json_encode($payload, JSON_THROW_ON_ERROR));\n return $this->response;\n // ->withHeader('Content-Type', 'application/json');\n // ->withHeader('Content-Disposition', 'attachment;filename=\"downloaded.pdf\"');\n }", "public function writeResponse();", "public function exportAction()\n {\n $expHandler = new ExportHandler($this->container);\n if ($this->getRequest()->getMethod() === 'GET') {\n $form = $expHandler->createForm();\n return array(\n 'form' => $form->createView()\n );\n } elseif ($this->getRequest()->getMethod() === 'POST') {\n if ($expHandler->bindForm()) {\n $job = $expHandler->getJob();\n $export = $expHandler->format($expHandler->makeJob());\n if ($job->getFormat() === ExchangeJob::FORMAT_JSON) {\n return new Response(\n $export,\n 200,\n array(\n 'Content-Type' => 'application/json',\n 'Content-disposition' => 'attachment; filename=export.json'\n )\n );\n } elseif ($job->getFormat() === ExchangeJob::FORMAT_YAML) {\n return new Response(\n $export,\n 200,\n array(\n 'Content-Type' => 'text/plain',\n 'Content-disposition' => 'attachment; filename=export.yaml'\n )\n );\n }\n } else {\n $form = $expHandler->createForm();\n return array(\n 'form' => $form->createView()\n );\n }\n }\n throw new AccessDeniedException(\"mb.manager.controller.application.method_not_supported\");\n }", "public function outgoingResponse();", "public function prepareFileDownloadResponse(Request $request): Response|StreamedResponse\n {\n return $this->generateFileDownloadResponse($request);\n }", "public static function getResponse($em, $format = 'csv', $filename = null, $entityClass, $listFields) {\n\t\tif($filename === null)\n\t\t\t$filename = 'export';\n\n\t\tswitch ($format) {\n\t\t\tcase 'csv':\n\t\t\t\t$writer = new CsvWriter($em, $entityClass, $listFields);\n\t\t\t\t$contentType = 'text/csv';\n\t\t\t\tbreak;\n\t\t\tcase 'json':\n\t\t\t\t$writer = new JsonWriter($em, $entityClass, $listFields);\n\t\t\t\t$contentType = 'application/json';\n\t\t\t\tbreak;\n\t\t\tdefault:\n\t\t\t\tthrow new \\RuntimeException('File format unknown');\n\t\t}\n\n\t\t$response = $writer->export();\n\n\t\t$response->headers->set('Content-Type', $contentType);\n\t\t$response->headers->set('Content-Disposition','attachment; filename=\"'. $filename .'.'. $format .'\"');\n\n\t\treturn $response;\n\t}", "public function getExternalMapitemsAction(): Response\n {\n// $hateoas = HateoasBuilder::create()->build();\n $mapItems = $this->doctrine->getRepository(MapItem::class)->findBy([], ['name' => 'asc']);\n\n $serialized = $this->serializer->serialize($mapItems, 'json', ['groups' => 'bldgs']);\n return new Response($serialized, 200, array('Content-Type' => 'application/json'));\n }", "public function toPsr(): PsrResponseInterface\n {\n $xPsrResponse = $this->xPsr17Factory->createResponse(200);\n if($this->xRequest->getMethod() === 'GET')\n {\n $xPsrResponse = $xPsrResponse\n ->withHeader('Expires', 'Mon, 26 Jul 1997 05:00:00 GMT')\n ->withHeader('Last-Modified', gmdate(\"D, d M Y H:i:s\") . ' GMT')\n ->withHeader('Cache-Control', 'no-cache, must-revalidate')\n ->withHeader('Pragma', 'no-cache');\n }\n return $xPsrResponse\n ->withHeader('content-type', $this->getContentType())\n ->withBody(Stream::create($this->getOutput()));\n }", "public function produceAphrontResponse() {\n return $this->reduceProxyResponse();\n }", "public function dumpResponse()\n {\n $content = $this->response->getContent();\n $json = json_decode($content, true);\n $output = (JSON_ERROR_NONE === json_last_error()) ? $json : $content;\n var_export($output);\n }", "public function __invoke(): JsonResponse\n {\n $ads = $this->show_properties_to_clients_use_case->execute();\n\n $response = new JsonResponse($ads);\n $response->setEncodingOptions( $response->getEncodingOptions() | JSON_PRETTY_PRINT );\n\n return $response;\n }", "public function getResponseBody();", "public function exportAction()\n {\n $em = $this->getDoctrine()->getManager();\n $entities = $em->getRepository('AppBundle:AffectationPiste')->findAll();\n $date = new \\DateTime(\"now\");\n $phpExcelObject = $this->get('phpexcel')->createPHPExcelObject();\n $phpExcelObject->getProperties()->setCreator(\"2SInnovation\")\n ->setTitle(\"Affectation_piste_\".$date->format('Y-m-d H:i:s'));\n $this->writeRapport($phpExcelObject, $entities);\n $writer = $this->get('phpexcel')->createWriter($phpExcelObject, 'Excel5');\n $response = $this->get('phpexcel')->createStreamedResponse($writer);\n $filename = 'Affectation_piste_'.$date->format('Y_m_d_H_i_s').'.xls';\n $response->headers->set('Content-Type', 'text/vnd.ms-excel; charset=utf-8');\n $response->headers->set('Content-Disposition', 'attachment;filename='.$filename);\n $response->headers->set('Pragma', 'public');\n $response->headers->set('Cache-Control', 'maxage=1');\n return $response; \n }", "public function exportAction(Request $request)\n {\n $id = $request->query->get('id');\n $description = $request->query->get('description');\n $type = $request->query->get('type');\n $status = $request->query->get('status');\n $plannedStartDate = $request->query->get('plannedStartDate');\n $customerName = $request->query->get('customerName');\n $tradingCompany = $request->query->get('tradingCompany');\n\n $response = new StreamedResponse();\n $response->setCallback(function() use (&$id, &$description, &$type, &$status, &$plannedStartDate, &$customerName, &$tradingCompany) {\n $fc = fopen('php://output', 'w+');\n fputcsv($fc, array('WorkOrder Number', 'Description', 'Type', 'Status', 'Planned Date', 'Customer Name', 'Trading Company'),',');\n\n $qb = $this->getDoctrine()->getRepository('MirsaMirsaBundle:WorkOrder');\n $qb = $qb->createQueryBuilder('wo');\n $qb = $qb->select('wo.id,wo.description,wo.type,wo.status,wo.plannedStartDate,wo.customerName,wo.tradingCompany');\n\n $filtering = new Filtering();\n\n if ($id != \"\" ) {\n $qb = $qb->andWhere('wo.id = :id');\n $qb = $qb->setParameter('id', $id );\n } \n if ($description != \"\" ) {\n $qb = $qb->andWhere('LOWER(wo.description) LIKE :description');\n $qb = $qb->setParameter('description', '%' . strtolower($description) . '%');\n } \n if ($type != \"\" ) {\n $qb = $qb->andWhere('LOWER(wo.type) LIKE :type');\n $qb = $qb->setParameter('type', '%' . strtolower($type) . '%');\n }\n if ($status != \"\" ) {\n $qb = $qb->andWhere('LOWER(wo.status) LIKE :status');\n $qb = $qb->setParameter('status', '%' . strtolower($status) . '%');\n } \n if ($plannedStartDate != \"\" ) {\n $filtering->DateFilter('plannedStartDate', $plannedStartDate, $qb, 'wo');\n //$qb = $qb->andWhere('wo.plannedStartDate = :plannedStartDate');\n //$qb = $qb->setParameter('plannedStartDate', \\DateTime::createFromFormat('m/d/Y', $plannedStartDate), 'date');\n } \n if ($customerName != \"\" ) {\n $qb = $qb->andWhere('LOWER(wo.customerName) LIKE :customerName');\n $qb = $qb->setParameter('customerName', '%' . strtolower($customerName) . '%');\n }\n if ($tradingCompany != \"\" ) {\n $qb = $qb->andWhere('LOWER(wo.tradingCompany) LIKE :tradingCompany');\n $qb = $qb->setParameter('tradingCompany', '%' . strtolower($tradingCompany) . '%');\n }\n\n /* Only export the items for the currently logged in client*/\n if (!is_null($this->getUser()->getContact())) { \n if ($this->getUser()->getContact()->getClient()) {\n $qb = $qb->andWhere('wo.client = :client');\n $qb = $qb->setParameter('client', $this->getUser()->getContact()->getClient());\n }\n }\n $qb = $qb->getQuery();\n $workOrders = $qb->getResult();\n\n foreach ($workOrders as $item)\n {\n if (is_null($item['plannedStartDate']))\n {\n $formattedPlannedStartDate = \"\";\n } else {\n $formattedPlannedStartDate = date_format($item['plannedStartDate'], \"m/d/Y\");\n } \n\n fputcsv($fc, array($item['id'],\n $item['description'],\n $item['type'],\n $item['status'],\n $formattedPlannedStartDate,\n $item['customerName'],\n $item['tradingCompany']),\n ',');\n }\n fclose($fc);\n });\n $filename = \"work_orders_export_\".date(\"m_d_Y_His\").\".csv\";\n $response->setStatusCode(200);\n $response->headers->set('Content-Type', 'text/csv; charset=utf-8');\n $response->headers->set('Content-Disposition','attachment; filename=' . $filename);\n return $response;\n }", "public function toResponse(StreamInterface $body): ResponseAccess;", "protected function stream(): StreamedResponse\n {\n $this->adapter->getClient()->registerStreamWrapper();\n // Create a stream context to allow seeking\n $context = stream_context_create([\n 's3' => [\n 'seekable' => true,\n ],\n ]);\n // Open a stream in read-only mode\n if (!($stream = fopen(\"s3://{$this->adapter->getBucket()}/{$this->filePath}\", 'rb', false, $context))) {\n throw new Exception('Could not open stream for reading export [' . $this->filePath . ']');\n }\n if (isset($this->start) && $this->start > 0) {\n fseek($stream, $this->start, SEEK_SET);\n }\n\n $remainingBytes = $this->length ?? $this->size;\n $chunkSize = 100;\n\n $video = response()->stream(\n function () use ($stream, $remainingBytes, $chunkSize) {\n while (!feof($stream) && $remainingBytes > 0) {\n $toGrab = min($chunkSize, $remainingBytes);\n echo fread($stream, $toGrab);\n $remainingBytes -= $toGrab;\n flush();\n }\n fclose($stream);\n },\n ($this->isRange ? 206 : 200),\n $this->returnHeaders\n );\n\n return $video;\n }", "public function indexAction()\n {\n $em = $this->getDoctrine()->getManager();\n\n $evenements = $em->getRepository('EventBundle:Evenement')->findAll();\n\n $data = $this->get('jms_serializer')->serialize($evenements, 'json');\n $response = new Response($data);\n $response->headers->set('Content-Type', 'application/json');\n $response->headers->set('Access-Control-Allow-Origin', '*');\n return $response;\n }", "public function toEntity(int $statusCode, array $response): HttpResponseInterface;", "public function toResponse($request)\n {\n $download = false;\n\n if($this->type === self::TYPE_DOWNLOAD) {\n $download = [\n 'url' => $this->filePath,\n 'name' => $this->getMessage($request)\n ];\n }\n\n $data = [\n 'data' => [\n 'message' => $this->getMessage($request),\n 'type' => $this->type,\n 'redirect' => $this->type === self::TYPE_REDIRECT ? $this->redirectTo : false,\n 'download' => $download\n ],\n 'resultCode' => $this->type,\n 'code' => $this->getStatusCode($request)\n ];\n\n return response()->json($data, $this->getStatusCode($request));\n }", "public function toResponse($request)\n {\n if (!empty($this->resource)) {\n return $this->resource->response($request)->setStatusCode($this->status())->withHeaders($this->headers);\n }\n\n ///\n $data = [\n 'status_code' => $this->getStatusCode(),\n 'message' => $this->getContent(),\n ];\n\n if (!empty($this->meta)) {\n $data['meta'] = $this->meta;\n }\n\n if ($this->debug && !empty($this->debugData)) {\n $data['debug'] = $this->debugData;\n }\n\n return response()->json($data, $this->status())->withHeaders($this->headers);\n }", "public function exportAction()\n {\n $em = $this->getDoctrine()->getManager();\n $entities = $em->getRepository('AppBundle:Immatriculation')->findAll();\n $date = new \\DateTime(\"now\");\n $phpExcelObject = $this->get('phpexcel')->createPHPExcelObject();\n $phpExcelObject->getProperties()->setCreator(\"2SInnovation\")\n ->setTitle(\"IMMATRICULATION_\".$date->format('Y-m-d H:i:s'));\n $this->writeRapport($phpExcelObject, $entities);\n $writer = $this->get('phpexcel')->createWriter($phpExcelObject, 'Excel5');\n $response = $this->get('phpexcel')->createStreamedResponse($writer);\n $filename = 'IMMATRICULATION_'.$date->format('Y_m_d_H_i_s').'.xls';\n $response->headers->set('Content-Type', 'text/vnd.ms-excel; charset=utf-8');\n $response->headers->set('Content-Disposition', 'attachment;filename='.$filename);\n $response->headers->set('Pragma', 'public');\n $response->headers->set('Cache-Control', 'maxage=1');\n return $response; \n }", "public function getDownload()\n {\n $file= base_path(). \"/invited api calls.postman_collection.json\";\n return response()->download($file);\n }", "public function toResponse($request)\n {\n }", "public function indexAction()\n {\n $em = $this->getDoctrine()->getManager();\n\n $elevesclasses = $em->getRepository('ClassBundle:Elevesclasse')->findAll();\n $data = $this->get('jms_serializer')->serialize($elevesclasses, 'json');\n\n $response = new Response($data);\n $response->headers->set('Content-Type', 'application/json');\n\n return $response; }" ]
[ "0.7116414", "0.65829504", "0.6476309", "0.63228923", "0.63038915", "0.6215095", "0.6204066", "0.6192616", "0.61332524", "0.6118099", "0.5978983", "0.5970353", "0.59432906", "0.59233975", "0.5902335", "0.5890642", "0.58500594", "0.584097", "0.58344114", "0.5833214", "0.5821233", "0.58126944", "0.5785645", "0.57777613", "0.57624024", "0.5729841", "0.5698366", "0.56666994", "0.5663424", "0.5629355" ]
0.8365213
0
Disable Packlink added shipping methods.
public static function disable_packlink_shipping_methods() { static::change_shipping_methods_status( 0 ); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public static function enable_packlink_shipping_methods() {\n\t\tstatic::change_shipping_methods_status();\n\t}", "public static function disable_shop_shipping_methods() {\n\t\tglobal $wpdb;\n\n\t\tforeach ( self::get_all_shipping_zone_ids() as $zone_id ) {\n\t\t\t$zone = \\WC_Shipping_Zones::get_zone( $zone_id );\n\t\t\tif ( ! $zone ) {\n\t\t\t\tcontinue;\n\t\t\t}\n\n\t\t\t/**\n\t\t\t * WooCommerce shipping method.\n\t\t\t *\n\t\t\t * @var \\WC_Shipping_Method $item\n\t\t\t */\n\t\t\tforeach ( $zone->get_shipping_methods( true ) as $item ) {\n\t\t\t\tif ( ( Packlink_Shipping_Method::PACKLINK_SHIPPING_METHOD !== $item->id )\n\t\t\t\t\t && $wpdb->update( \"{$wpdb->prefix}woocommerce_shipping_zone_methods\", array( 'is_enabled' => 0 ), array( 'instance_id' => absint( $item->instance_id ) ) )\n\t\t\t\t) {\n\t\t\t\t\tdo_action( 'woocommerce_shipping_zone_method_status_toggled', $item->instance_id, $item->id, $zone_id, 0 );\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}", "public static function remove_packlink_shipping_methods() {\n\t\tglobal $wpdb;\n\n\t\tforeach ( static::get_shipping_method_map() as $item ) {\n\t\t\t$instance_id = $item->getWoocommerceShippingMethodId();\n\t\t\t$method = new Packlink_Shipping_Method( $instance_id );\n\t\t\t$option_key = $method->get_instance_option_key();\n\t\t\tif ( $wpdb->delete( \"{$wpdb->prefix}woocommerce_shipping_zone_methods\", array( 'instance_id' => $instance_id ) ) ) {\n\t\t\t\tdelete_option( $option_key );\n\t\t\t}\n\t\t}\n\t}", "public static function skip_shipping() {\n// a shipping address is not needed\n if ('virtual' === $GLOBALS['order']->content_type) {\n $_SESSION['shipping'] = false;\n $_SESSION['sendto'] = false;\n tep_redirect(tep_href_link('checkout_payment.php', '', 'SSL'));\n }\n }", "public function canSetAsDefaultShipping()\r\n {\r\n\t\treturn false;\r\n }", "public function isDefaultShipping()\r\n {\r\n\t\treturn false;\r\n }", "function hide_shipping_when_free_is_available( $rates, $package ) {\r\n \t\r\n \t// Only modify rates if free_shipping is present\r\n \tif ( isset( $rates['free_shipping'] ) ) {\r\n \t\r\n \t\t// To unset a single rate/method, do the following. This example unsets flat_rate shipping\r\n \t\t//unset( $rates['flat_rate'] );\r\n \t\t\r\n \t\t// To unset all methods except for free_shipping, do the following\r\n \t\t$free_shipping = $rates['free_shipping'];\r\n \t\t$rates = array();\r\n \t\t$rates['free_shipping'] = $free_shipping;\r\n\t}\r\n\t\r\n\treturn $rates;\r\n}", "public function getShippingMethod();", "public function getShippingMethod();", "public function isShipping();", "public static function disablePaymentMethod()\n {\n $oPayment = oxNew('oxpayment');\n $oPayment->load('oxidpaypal');\n $oPayment->oxpayments__oxactive = new oxField(0);\n $oPayment->save();\n }", "public function disableExtendedLinkInfo($mode)\n {\n }", "public function disablePingback($methods)\n {\n unset($methods['pingback.ping']);\n return $methods;\n }", "function my_custom_available_payment_gateways( $gateways ) {\n\n\tif ( is_admin() && ! defined( 'DOING_AJAX' ) )\n\treturn;\n\t $chosen_shipping_rates = WC()->session->get( 'chosen_shipping_methods' );\n\t // When 'local delivery' has been chosen as shipping rate\n\t if ( in_array( 'flat_rate:8', $chosen_shipping_rates ) ) :\n\t\t // Remove bank transfer payment gateway\n\t\t unset( $gateways['bacs'] );\n\t endif;\n\t return $gateways;\n\n}", "public function disable()\n {\n $this->server_item->setDisabled(true);\n $this->course_item->setDisabled(true);\n $this->clearCommandButtons();\n }", "public function disable();", "public function resetShippingSpeeds()\n {\n foreach ($this->options as $op => $junk) {\n if (preg_match('#ShippingSpeedCategories#', $op)) {\n unset($this->options[$op]);\n }\n }\n }", "function my_hide_shipping_when_free_is_available( $rates ) {\r\n $free = array();\r\n\r\n foreach ( $rates as $rate_id => $rate ) {\r\n if ( 'free_shipping' === $rate->method_id ) {\r\n $free[ $rate_id ] = $rate;\r\n break;\r\n }\r\n }\r\n\r\n return ! empty( $free ) ? $free : $rates;\r\n}", "public function testWithDisabledPlugin()\n {\n $carrierRepository = $this->getBuiltCarrierRepository(\n true,\n 500,\n 1200,\n 700\n );\n\n $event = $this->getEvent();\n $event\n ->addShippingMethod(\\Prophecy\\Argument::exact(\n new ShippingMethod(\n 'custom-shipping-method-price-shipping-range-id',\n 'test-carrier',\n 'price-shipping-range-name',\n '',\n Money::create(\n 700,\n $this->getCurrency()\n )\n )\n ))\n ->shouldBeCalledTimes(0);\n\n $event\n ->getCart()\n ->willReturn(\n $this\n ->getCart()\n ->reveal()\n );\n\n $shippingCollectEventListener = new ShippingCollectEventListener(\n $this->getDisabledPlugin()->reveal(),\n $carrierRepository->reveal(),\n $this->getCurrencyConverter(1)->reveal(),\n $this->getZoneMatcher()->reveal()\n );\n $shippingCollectEventListener->addCustomShippingMethods($event->reveal());\n }", "function setShippingMethod() {\n global $total_count, $total_weight;\n // ensure that cart contents is calculated properly for weight and value\n if (!isset($total_weight)) $total_weight = $_SESSION['cart']->show_weight();\n if (!isset($total_count)) $total_count = $_SESSION['cart']->count_contents();\n // set the shipping method if one is not already set\n // defaults to the cheapest shipping method\n if ( !$_SESSION['shipping'] || ( $_SESSION['shipping'] && ($_SESSION['shipping'] == false) && (zen_count_shipping_modules() > 1) ) ) {\n require_once(DIR_WS_CLASSES . 'http_client.php');\n require_once(DIR_WS_CLASSES . 'shipping.php');\n $shipping_Obj = new shipping;\n\n // generate the quotes\n $shipping_Obj->quote();\n\n // set the cheapest one\n $_SESSION['shipping'] = $shipping_Obj->cheapest();\n }\n }", "private function disable_XMLRPC()\n {\n // if (is_admin()) {\n // update_option(\"default_ping_status\", \"closed\"); // Might do something else here to reduce our queries\n // }\n\n add_filter(\"xmlrpc_enabled\", \"__return_false\");\n add_filter(\"pre_update_option_enable_xmlrpc\", \"__return_false\");\n add_filter(\"pre_option_enable_xmlrpc\", \"__return_zero\");\n\n /**\n * Unsets xmlrpc headers\n *\n * @param array $headers The array of wp headers\n */\n add_filter(\"wp_headers\", function ($headers) {\n if (isset($headers[\"X-Pingback\"])) {\n unset($headers[\"X-Pingback\"]);\n }\n return $headers;\n }, 10, 1);\n\n /**\n * Unsets xmlr methods for pingbacks\n *\n * @param array $methods The array of xmlrpc methods\n */\n add_filter(\"xmlrpc_methods\", function ($methods) {\n unset($methods[\"pingback.ping\"]);\n unset($methods[\"pingback.extensions.getPingbacks\"]);\n return $methods;\n }, 10, 1);\n\n /**\n * Disable self pingback\n */\n add_action(\"pre_ping\", function (&$links) {\n foreach ($links as $l => $link) {\n if (0 === strpos($link, get_option(\"home\"))) {\n unset($links[$l]);\n }\n }\n\n });\n }", "function add_channel_engine_shipping_method( $methods ) {\n\t\t$methods[] = 'Channel_Engine_Shipping_Method';\n\t\treturn $methods;\n\t}", "public function disable()\n {\n $payload = '';\n\n $this->sendRequest(self::FUNCTION_DISABLE, $payload);\n }", "public function disable()\n\t{\n\t\tif($this->is_enabled())\n\t\t{\n\t\t\t$this->set_attribute(\"EXTENSION_ENABLED\", \"FALSE\");\n\t\t}\n\t}", "public function disallowMethod(): void\n {\n $this->methodAllowed = false;\n }", "public function disable() {\n\t\tif (!WCF::getUser()->getPermission('mod.linkList.canEnableLink')) {\n\t\t\treturn;\n\t\t}\n\t\t\n\t\tif ($this->link != null && !$this->link->isDisabled) {\n\t\t\tif (!$this->link->everEnabled) {\n\t\t\t\tif (WCF::getUser()->userID) {\n\t\t\t\t\t// add activity points\n\t\t\t\t\tif (LINKLIST_ACTIVITY_POINTS_PER_LINK) {\n\t\t\t\t\t\trequire_once(WCF_DIR.'lib/data/user/rank/UserRank.class.php');\n\t\t\t\t\t\tUserRank::updateActivityPoints(LINKLIST_ACTIVITY_POINTS_PER_LINK);\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t\t// disable link\n\t\t\tLinkListLinkEditor::disableAll($this->linkID);\n\t\t\t// refresh category\n\t\t\tLinkListCategoryEditor::refreshAll($this->categoryID);\n\t\t\tLinkListCategoryEditor::resetCache();\n\t\t}\n\t}", "function woocommerce_add_sps_gateway($methods)\n {\n $onlyAdmin = false;\n if ($settings = get_option('woocommerce_sps_settings')) {\n $onlyAdmin = ($settings['test_mode'] == 'yes');\n }\n if (!$onlyAdmin || $onlyAdmin && current_user_can('administrator')) {\n $methods[] = 'WC_Gateway_Sps';\n }\n\n return $methods;\n }", "function frame_init_remove_xmlrpc_pingback_ping($methods)\n {\n unset($methods['pingback.ping']);\n return $methods;\n }", "public function testWithoutMatchingWeight()\n {\n $carrierRepository = $this->getBuiltCarrierRepository(\n true,\n null,\n null,\n null,\n 800,\n 900,\n 200\n );\n\n $event = $this->getEvent();\n $event\n ->addShippingMethod(Argument::any())\n ->shouldNotBeCalled();\n\n $event\n ->getCart()\n ->willReturn(\n $this\n ->getCart()\n ->reveal()\n );\n\n $shippingCollectEventListener = new ShippingCollectEventListener(\n $this->getEnabledPlugin()->reveal(),\n $carrierRepository->reveal(),\n $this->getCurrencyConverter(1)->reveal(),\n $this->getZoneMatcher()->reveal()\n );\n $shippingCollectEventListener->addCustomShippingMethods($event->reveal());\n }", "public static function add_shipping_method($methods)\n {\n if (class_exists('Ebox_Cliqueretire_Method_Legacy')) {\n $methods['ebox_cliqueretire_legacy'] = 'Ebox_Cliqueretire_Method_Legacy';\n }\n\n return $methods;\n }" ]
[ "0.7755297", "0.7586554", "0.7532004", "0.6534326", "0.6270866", "0.60770726", "0.59839904", "0.5901837", "0.5901837", "0.58776057", "0.5739898", "0.5659536", "0.5656195", "0.5656104", "0.5640958", "0.56022537", "0.5597495", "0.55552286", "0.5546068", "0.5534985", "0.5532464", "0.5454506", "0.5443107", "0.5407786", "0.5376803", "0.5364637", "0.5333305", "0.53157675", "0.5267375", "0.52585936" ]
0.91296506
0
Enable Packlink added shipping methods.
public static function enable_packlink_shipping_methods() { static::change_shipping_methods_status(); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public static function disable_packlink_shipping_methods() {\n\t\tstatic::change_shipping_methods_status( 0 );\n\t}", "public static function remove_packlink_shipping_methods() {\n\t\tglobal $wpdb;\n\n\t\tforeach ( static::get_shipping_method_map() as $item ) {\n\t\t\t$instance_id = $item->getWoocommerceShippingMethodId();\n\t\t\t$method = new Packlink_Shipping_Method( $instance_id );\n\t\t\t$option_key = $method->get_instance_option_key();\n\t\t\tif ( $wpdb->delete( \"{$wpdb->prefix}woocommerce_shipping_zone_methods\", array( 'instance_id' => $instance_id ) ) ) {\n\t\t\t\tdelete_option( $option_key );\n\t\t\t}\n\t\t}\n\t}", "function woocommerce_add_sps_gateway($methods)\n {\n $onlyAdmin = false;\n if ($settings = get_option('woocommerce_sps_settings')) {\n $onlyAdmin = ($settings['test_mode'] == 'yes');\n }\n if (!$onlyAdmin || $onlyAdmin && current_user_can('administrator')) {\n $methods[] = 'WC_Gateway_Sps';\n }\n\n return $methods;\n }", "public static function disable_shop_shipping_methods() {\n\t\tglobal $wpdb;\n\n\t\tforeach ( self::get_all_shipping_zone_ids() as $zone_id ) {\n\t\t\t$zone = \\WC_Shipping_Zones::get_zone( $zone_id );\n\t\t\tif ( ! $zone ) {\n\t\t\t\tcontinue;\n\t\t\t}\n\n\t\t\t/**\n\t\t\t * WooCommerce shipping method.\n\t\t\t *\n\t\t\t * @var \\WC_Shipping_Method $item\n\t\t\t */\n\t\t\tforeach ( $zone->get_shipping_methods( true ) as $item ) {\n\t\t\t\tif ( ( Packlink_Shipping_Method::PACKLINK_SHIPPING_METHOD !== $item->id )\n\t\t\t\t\t && $wpdb->update( \"{$wpdb->prefix}woocommerce_shipping_zone_methods\", array( 'is_enabled' => 0 ), array( 'instance_id' => absint( $item->instance_id ) ) )\n\t\t\t\t) {\n\t\t\t\t\tdo_action( 'woocommerce_shipping_zone_method_status_toggled', $item->instance_id, $item->id, $zone_id, 0 );\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}", "function add_channel_engine_shipping_method( $methods ) {\n\t\t$methods[] = 'Channel_Engine_Shipping_Method';\n\t\treturn $methods;\n\t}", "function setShippingMethod() {\n global $total_count, $total_weight;\n // ensure that cart contents is calculated properly for weight and value\n if (!isset($total_weight)) $total_weight = $_SESSION['cart']->show_weight();\n if (!isset($total_count)) $total_count = $_SESSION['cart']->count_contents();\n // set the shipping method if one is not already set\n // defaults to the cheapest shipping method\n if ( !$_SESSION['shipping'] || ( $_SESSION['shipping'] && ($_SESSION['shipping'] == false) && (zen_count_shipping_modules() > 1) ) ) {\n require_once(DIR_WS_CLASSES . 'http_client.php');\n require_once(DIR_WS_CLASSES . 'shipping.php');\n $shipping_Obj = new shipping;\n\n // generate the quotes\n $shipping_Obj->quote();\n\n // set the cheapest one\n $_SESSION['shipping'] = $shipping_Obj->cheapest();\n }\n }", "public function isShipping();", "function add_payfort_gateway($methods){\n $methods[] = 'WC_Gateway_Payfort';\n return $methods;\n }", "function woocommerce_add_wayforpay_gateway($methods)\n {\n $methods[] = 'WC_wayforpay';\n return $methods;\n }", "protected function registerShippingOption(): void\n {\n $shipping = new FixedRate();\n Shipping::put($shipping);\n }", "function woocommerce_paybox_add_gateway( $methods ) {\n\t$methods[] = 'WC_Gateway_PayBox';\n\treturn $methods;\n}", "public function getShippingMethod();", "public function getShippingMethod();", "public static function method_inits() {\n \n\t\tdo_action( 'jigoshop_shipping_init' ); /* loaded plugins for shipping inits */\n\t\t\n\t\t$load_methods = apply_filters( 'jigoshop_shipping_methods', array() );\n\t\t\n\t\tforeach ( $load_methods as $method ) :\n\t\t\tself::$shipping_methods[] = &new $method();\n\t\tendforeach;\n\t\t\n }", "public static function add_shipping_method($methods)\n {\n if (class_exists('Ebox_Cliqueretire_Method_Legacy')) {\n $methods['ebox_cliqueretire_legacy'] = 'Ebox_Cliqueretire_Method_Legacy';\n }\n\n return $methods;\n }", "function add_bacs_gateway( $methods ) {\n\t$methods[] = 'woocommerce_bacs'; return $methods;\n}", "function add_payler_gateway($methods){\r\n\t$methods[] = 'WC_PAYLER';\r\n\treturn $methods;\r\n}", "function woocommerce_openpay_add_gateway( $methods )\n\t{\n\t\t$methods[] = 'WC_OpenPay';\n\t\treturn $methods;\n\n\t}", "function woocommerce_add_Zaakpay_gateway($methods) {\n $methods[] = 'WC_Zaakpay';\n return $methods;\n }", "private function setShippingInformation()\n {\n if ($this->_checkoutSession->getLastRealOrder()->getIsVirtual()) {\n $this->_paymentRequest->setShipping()->setAddressRequired()->withParameters('false');\n } else {\n $this->_paymentRequest->setShipping()->setAddressRequired()->withParameters('true');\n $shipping = $this->_checkoutSession->getLastRealOrder()->getShippingAddress();\n if ($shipping) {\n if (count($shipping->getStreet()) === 4) {\n $this->_paymentRequest->setShipping()->setAddress()->withParameters(\n $shipping->getStreetLine(1),\n $shipping->getStreetLine(2),\n $shipping->getStreetLine(4),\n \\UOL\\PagSeguro\\Helper\\Data::fixPostalCode($shipping->getPostcode()),\n $shipping->getCity(),\n $this->getRegionAbbreviation($shipping),\n $this->getCountryName($shipping['country_id']),\n $shipping->getStreetLine(3)\n );\n } else {\n $address = \\UOL\\PagSeguro\\Helper\\Data::addressConfig($shipping['street']);\n\n $this->_paymentRequest->setShipping()->setAddress()->withParameters(\n $this->getShippingAddress($address[0], $shipping),\n $this->getShippingAddress($address[1]),\n $this->getShippingAddress($address[3]),\n \\UOL\\PagSeguro\\Helper\\Data::fixPostalCode($shipping->getPostcode()),\n $shipping->getCity(),\n $this->getRegionAbbreviation($shipping),\n $this->getCountryName($shipping['country_id']),\n $this->getShippingAddress($address[2])\n );\n }\n\n $this->_paymentRequest->setShipping()->setType()\n ->withParameters(\\PagSeguro\\Enum\\Shipping\\Type::NOT_SPECIFIED); //Shipping Type\n $this->_paymentRequest->setShipping()->setCost()\n ->withParameters(number_format($this->getShippingAmount(), 2, '.', '')); //Shipping Coast\n }\n }\n }", "public function is_available_for_shipping_method() {\n \n $chosen_shipping_methods = $this->get_choosen_shipping_method();\n $check_method = $this->check_method($chosen_shipping_methods);\n\n if ( ! $check_method ){ return false; }\n //Set found to false\n $found = false;\n\n foreach ( $this->enable_for_methods as $method_id ) {\n if ( strpos( $check_method, $method_id ) === 0 ) {\n $found = true;\n break;\n }\n }\n //If not found return false, or if found return true\n if ( ! $found ){\n return false;\n }else{\n return true;\n }\n }", "public function canSetAsDefaultShipping()\r\n {\r\n\t\treturn false;\r\n }", "public function updateShippingMethodAction()\n {\n $result = $this->_getHelper()->updateShippingMethod($this->getRequest());\n if ($result['result'] !== true) {\n Mage::getSingleton('checkout/session')->addError($result['message']);\n }\n $this->_sendCartContentResponse(true);\n }", "public function hooks() {\n \n if(is_admin() ){\n add_filter( 'woocommerce_shipping_settings', array( $this, 'wisz_shipping_settings') );\n }\n \n // Update shipping packages if option \"Separate rows\" checked in adminpanel\n add_filter('woocommerce_shipping_packages', array( $this, 'wisz_shipping_packages') );\n\t}", "function woocommerce_add_gateway_payeasebuzz_gateway($methods) {\n $methods[] = 'WC_Easebuzz_Gateway';\n return $methods;\n }", "private static function change_shipping_methods_status( $status = 1 ) {\n\t\tglobal $wpdb;\n\n\t\tforeach ( static::get_shipping_method_map() as $item ) {\n\t\t\t$instance_id = $item->getWoocommerceShippingMethodId();\n\t\t\t$method = new Packlink_Shipping_Method( $instance_id );\n\n\t\t\tif ( $wpdb->update( \"{$wpdb->prefix}woocommerce_shipping_zone_methods\", array( 'is_enabled' => $status ), array( 'instance_id' => absint( $instance_id ) ) ) ) {\n\t\t\t\tdo_action( 'woocommerce_shipping_zone_method_status_toggled', $instance_id, $method->id, $item->getZoneId(), $status );\n\t\t\t}\n\t\t}\n\t}", "public function calculate_shipping($package = array())\n {\n $intance_settings = $this->instance_settings;\n // Register the rate\n $this->add_rate(\n array(\n 'id' => $this->id,\n 'label' => $intance_settings['title'],\n 'cost' => $intance_settings['cost'],\n 'fee' => $intance_settings['cost'],\n 'minimum_fee' => $intance_settings['cost'],\n 'package' => $package,\n 'taxes' => false,\n )\n );\n }", "function woocommerce_add_woo_gateway_gopay($methods) {\n $methods[] = 'WC_Gateway_Woo_GoPay';\n return $methods;\n }", "function add_virtexpay_gateway( $methods ) {\n\t$methods[] = 'WC_Gateway_Virtex'; \n\treturn $methods;\n}", "private function addShipmentMethod(ShippingGateway $shippingGateway, array $methods)\n {\n foreach ($methods as $item) {\n\n $shipmentMethod = $this->objectManager->getRepository(ShippingMethod::class)->findOneByCode($item);\n\n $shippingGateway->addShippingMethod($shipmentMethod);\n\n }\n return $shippingGateway;\n }" ]
[ "0.74153644", "0.6485288", "0.61662924", "0.6149645", "0.6106404", "0.59858084", "0.59517384", "0.59303063", "0.5862698", "0.58624876", "0.5850587", "0.58502656", "0.58502656", "0.58152854", "0.5680813", "0.56695366", "0.5617167", "0.5584556", "0.5583194", "0.55384684", "0.55311316", "0.5504895", "0.5474667", "0.54567873", "0.5449024", "0.5421286", "0.5413471", "0.5376097", "0.5333549", "0.5320798" ]
0.9060053
0
Returns count of active shop shipping methods.
public static function get_shop_shipping_method_count() { $count = 0; foreach ( self::get_all_shipping_zone_ids() as $zone_id ) { $zone = \WC_Shipping_Zones::get_zone( $zone_id ); if ( ! $zone ) { continue; } foreach ( $zone->get_shipping_methods( true ) as $item ) { if ( Packlink_Shipping_Method::PACKLINK_SHIPPING_METHOD !== $item->id ) { $count ++; } } } return $count; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "protected function fetchShippingMethods()\r\n {\r\n $methods = array(); \r\n \r\n $settings = \\Shop\\Models\\Settings::fetch();\r\n \r\n if ($enabledMethods = $settings->enabledShippingMethods())\r\n {\t\r\n \t//$enabledMethods are a class e.g \\Shop\\Shipping\\Ups instance\r\n \tforeach($enabledMethods as $method) {\r\n \t\tif($method->validForCart($this)) {\r\n \t\t\t$methods[] = $method;\r\n \t\t}\r\n \t}\r\n \t\t\r\n }\r\n \r\n $event = \\Dsc\\System::instance()->trigger( 'onFetchShippingMethodsForCart', array(\r\n 'cart' => $this,\r\n 'methods' => $methods\r\n ) );\r\n \r\n return $event->getArgument('methods');\r\n }", "public function count()\n {\n return count($this->payment_methods);\n }", "protected function count_shippable_items()\n {\n $count = 0;\n foreach($this->mycart->contents() as $item)\n {\n //var_dump($item);die;\n if((int)$item['is_shippable']==1) $count++;\n }\n\n $this->total_items_require_shipping = $count;\n $this->session->set_userdata('total_items_require_shipping', $this->total_items_require_shipping ); \n }", "public function getShippingMethod();", "public function getShippingMethod();", "public function getActiveShipmentCountAttribute()\n {\n return ($this->belongsToMany('App\\Product', 'shipment_products')->count());\n }", "public function estimateShippingMethods($body = [])\n {\n $this->validateSingleStoreCode();\n\n return $this->post('/carts/mine/estimate-shipping-methods', $body);\n }", "public function getUsedShipping() {\n return $this->used_shipping;\n }", "public function getItemCount()\n {\n return count($this->shipment);\n }", "public static function getTotalPaymentMethod()\n {\n $table = \"payment_method\";\n $condition = \"\";\n\n return Connection::getCountData($table, $condition);\n\n }", "public function count()\n {\n return $this->ziper->count();\n }", "public function totalShipping()\n {\n $shipping = $this->getTotalWeight()->setShipping()->orderShipping;\n\n return $shipping->price_cents;\n }", "public function shippingRequired()\r\n {\r\n $shipping_required = (int) \\Shop\\Models\\Settings::fetch()->{'shipping.required'};\r\n \r\n if (empty($this->items)) {\r\n return $shipping_required;\r\n }\r\n \r\n foreach ($this->items as $item)\r\n {\r\n if (\\Dsc\\ArrayHelper::get($item, 'product.shipping.enabled')) \r\n {\r\n $shipping_required = true;\r\n }\r\n }\r\n \r\n return $shipping_required;\r\n }", "public function shippingMethod()\r\n {\r\n // is it not set in checkout?\r\n if (!$this->{'checkout.shipping_method'}) \r\n {\r\n \treturn false;\r\n }\r\n \r\n // otherwise get its full object from the array of methods\r\n foreach ($this->shippingMethods() as $method_array) \r\n {\r\n if ($this->{'checkout.shipping_method'} == \\Dsc\\ArrayHelper::get( $method_array, 'id' )) \r\n {\r\n $method = new \\Shop\\Models\\ShippingMethods( $method_array );\r\n \treturn $method;\r\n }\r\n }\r\n \r\n return null;\r\n }", "public function getSptCount() {\n return $this->count(self::SPT);\n }", "public function getSptCount() {\n return $this->count(self::SPT);\n }", "private function get_choosen_shipping_method(){\n \n $chosen_shipping_methods_session = WC()->session->get( 'chosen_shipping_methods' );\n\n\t\t\tif ( isset( $chosen_shipping_methods_session ) ) {\n\t\t\t\t$chosen_shipping_methods = array_unique( $chosen_shipping_methods_session );\n\t\t\t} else {\n\t\t\t\t$chosen_shipping_methods = array();\n\t\t\t}\n \n return $chosen_shipping_methods;\n }", "public function get_shipping_method_options() {\n\t\tif ( ! empty( $this->shipping_methods ) ) {\n\t\t\treturn apply_filters( 'iconic_wds_shipping_method_options', $this->shipping_methods );\n\t\t}\n\n\t\t$transient_name = 'iconic-wds-shipping-methods';\n\t\t$this->shipping_methods = get_transient( $transient_name );\n\n\t\tif ( false !== $this->shipping_methods ) {\n\t\t\treturn apply_filters( 'iconic_wds_shipping_method_options', $this->shipping_methods );\n\t\t}\n\n\t\t$shipping_method_options = array(\n\t\t\t'any' => __( 'Any Method', 'jckwds' ),\n\t\t);\n\n\t\tif ( class_exists( 'WC_Shipping_Zones' ) ) {\n\t\t\t$shipping_zones = $this->get_shipping_zones();\n\n\t\t\tif ( ! empty( $shipping_zones ) ) {\n\t\t\t\tforeach ( $shipping_zones as $shipping_zone ) {\n\t\t\t\t\t$methods = $shipping_zone->get_shipping_methods( true );\n\n\t\t\t\t\tif ( ! $methods ) {\n\t\t\t\t\t\tcontinue;\n\t\t\t\t\t}\n\n\t\t\t\t\tforeach ( $methods as $method ) {\n\t\t\t\t\t\t$zone_based_shipping_method = apply_filters( 'iconic_wds_zone_based_shipping_method', array(), $method, $shipping_zone );\n\n\t\t\t\t\t\tif ( ! empty( $zone_based_shipping_method ) ) {\n\t\t\t\t\t\t\t$shipping_method_options = $shipping_method_options + $zone_based_shipping_method;\n\t\t\t\t\t\t\tcontinue;\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\t$title = empty( $method->title ) ? ucfirst( $method->id ) : $method->title;\n\t\t\t\t\t\t$class = str_replace( 'wc_shipping_', '', strtolower( get_class( $method ) ) );\n\n\t\t\t\t\t\tif ( 'table_rate' === $class ) {\n\t\t\t\t\t\t\t$trs_methods = $this->get_trs_methods_zones( $method, $class, $shipping_zone );\n\n\t\t\t\t\t\t\t$shipping_method_options = $shipping_method_options + $trs_methods;\n\t\t\t\t\t\t} elseif ( 'be_cart_based_shipping' === $class ) {\n\t\t\t\t\t\t\t$value = sprintf( 'cart_based_rate%d', $method->instance_id );\n\n\t\t\t\t\t\t\t$shipping_method_options[ $value ] = esc_html( sprintf( '%s: %s', $shipping_zone->get_zone_name(), $title ) );\n\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\t$value = sprintf( '%s:%d', $class, $method->instance_id );\n\n\t\t\t\t\t\t\t$shipping_method_options[ $value ] = esc_html( sprintf( '%s: %s', $shipping_zone->get_zone_name(), $title ) );\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t$shipping_methods = WC()->shipping->load_shipping_methods();\n\n\t\tforeach ( $shipping_methods as $method ) {\n\t\t\tif ( ! $method->has_settings() ) {\n\t\t\t\tcontinue;\n\t\t\t}\n\n\t\t\t$standard_shipping_method = apply_filters( 'iconic_wds_standard_shipping_method', array(), $method );\n\n\t\t\tif ( ! empty( $standard_shipping_method ) ) {\n\t\t\t\t$shipping_method_options = $shipping_method_options + $standard_shipping_method;\n\t\t\t\tcontinue;\n\t\t\t}\n\n\t\t\t$title = empty( $method->method_title ) ? ucfirst( $method->id ) : $method->method_title;\n\t\t\t$class = get_class( $method );\n\n\t\t\tif ( $class == \"WAS_Advanced_Shipping_Method\" ) {\n\t\t\t\t$was_methods = $this->get_was_methods();\n\n\t\t\t\t$shipping_method_options = $shipping_method_options + $was_methods;\n\t\t\t} elseif ( $class == \"Wafs_Free_Shipping_Method\" ) {\n\t\t\t\t$wafs_methods = $this->get_wafs_methods();\n\n\t\t\t\t$shipping_method_options = $shipping_method_options + $wafs_methods;\n\t\t\t} elseif ( $class == \"BE_Table_Rate_Shipping\" ) {\n\t\t\t\t$trs_methods = $this->get_trs_methods();\n\n\t\t\t\t$shipping_method_options = $shipping_method_options + $trs_methods;\n\t\t\t} elseif ( $class == \"WC_Shipping_WooShip\" ) {\n\t\t\t\t$wooship_methods = $this->get_wooship_methods();\n\n\t\t\t\t$shipping_method_options = $shipping_method_options + $wooship_methods;\n\t\t\t} elseif ( $class == \"MH_Table_Rate_Plus_Shipping_Method\" ) {\n\t\t\t\t$table_rate_plus_methods = $this->get_table_rate_plus_methods( $method );\n\n\t\t\t\t$shipping_method_options = $shipping_method_options + $table_rate_plus_methods;\n\t\t\t} elseif ( $class == \"WC_Distance_Rate_Shipping\" || $class == \"WC_Collection_Delivery_Rate\" || $class == \"WC_Special_Delivery_Rate\" ) {\n\t\t\t\t$distance_rate_shipping_methods = $this->get_distance_rate_shipping_methods( $method );\n\n\t\t\t\t$shipping_method_options = $shipping_method_options + $distance_rate_shipping_methods;\n\t\t\t} else {\n\t\t\t\t$shipping_method_options[ strtolower( $class ) ] = esc_html( $title );\n\t\t\t}\n\t\t}\n\n\t\t$this->shipping_methods = apply_filters( 'iconic_wds_shipping_method_options', $shipping_method_options );\n\n\t\tset_transient( $transient_name, $this->shipping_methods, 30 * DAY_IN_SECONDS );\n\n\t\treturn $this->shipping_methods;\n\t}", "public function getShippingMethod()\n {\n return $this->shipping_method;\n }", "public function getWifiApsCount()\n {\n return $this->count(self::WIFI_APS);\n }", "public function get_wafs_methods() {\n\t\t$methods_array = array();\n\t\t$methods = wafs_get_rates();\n\n\t\tif ( empty( $methods ) ) {\n\t\t\treturn array();\n\t\t}\n\n\t\tforeach ( $methods as $method ) {\n\t\t\t$key = sprintf( '%d_advanced_free_shipping', $method->ID );\n\n\t\t\t$methods_array[ $key ] = sprintf( 'Advanced Free Shipping: %s', ! empty( $method->post_title ) ? $method->post_title : $method->ID );\n\t\t}\n\n\t\treturn $methods_array;\n\t}", "public function getShoperCount()\n {\n return Shoper::find()->count();\n }", "public function getReturnShipMethods()\n {\n return $this->returnShipMethods;\n }", "public function getShippingInvoiced();", "function count()\n {\n return $this->cart->instance(\\Auth::id())->count();\n }", "public function isShipping();", "public function getDisplayShipping()\n {\n return (boolean)$this->scopeConfig->getValue(\n self::XML_PATH_DISPLAY_SHIPPING_METHODS,\n \\Magento\\Store\\Model\\ScopeInterface::SCOPE_STORE\n );\n }", "public function getShippingMethods ( $shopifyorder){\n\n $methods = [];\n\n if ( ! is_array($shopifyorder->shipping_lines)){\n return false;\n }\n\n foreach ($shopifyorder->shipping_lines as $line){\n $methods[] = $line->title;\n }\n\n return $methods;\n\n }", "public function getFreeShipping()\n {\n return $this->freeShipping;\n }", "public function countInactiveServices(): int\n {\n return count($this->getInactiveServices());\n }" ]
[ "0.6749799", "0.6726023", "0.6703144", "0.63080704", "0.63080704", "0.6152651", "0.60773593", "0.6018347", "0.5997647", "0.5962245", "0.5927061", "0.5904782", "0.5892118", "0.57971793", "0.5795666", "0.5795666", "0.5788093", "0.57734126", "0.57662", "0.5749278", "0.57193244", "0.5706825", "0.5702691", "0.56820214", "0.56559443", "0.56447345", "0.5627857", "0.56159794", "0.55984384", "0.55889976" ]
0.8495108
0
Disables all active shop shipping methods.
public static function disable_shop_shipping_methods() { global $wpdb; foreach ( self::get_all_shipping_zone_ids() as $zone_id ) { $zone = \WC_Shipping_Zones::get_zone( $zone_id ); if ( ! $zone ) { continue; } /** * WooCommerce shipping method. * * @var \WC_Shipping_Method $item */ foreach ( $zone->get_shipping_methods( true ) as $item ) { if ( ( Packlink_Shipping_Method::PACKLINK_SHIPPING_METHOD !== $item->id ) && $wpdb->update( "{$wpdb->prefix}woocommerce_shipping_zone_methods", array( 'is_enabled' => 0 ), array( 'instance_id' => absint( $item->instance_id ) ) ) ) { do_action( 'woocommerce_shipping_zone_method_status_toggled', $item->instance_id, $item->id, $zone_id, 0 ); } } } }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public static function disable_packlink_shipping_methods() {\n\t\tstatic::change_shipping_methods_status( 0 );\n\t}", "public static function remove_packlink_shipping_methods() {\n\t\tglobal $wpdb;\n\n\t\tforeach ( static::get_shipping_method_map() as $item ) {\n\t\t\t$instance_id = $item->getWoocommerceShippingMethodId();\n\t\t\t$method = new Packlink_Shipping_Method( $instance_id );\n\t\t\t$option_key = $method->get_instance_option_key();\n\t\t\tif ( $wpdb->delete( \"{$wpdb->prefix}woocommerce_shipping_zone_methods\", array( 'instance_id' => $instance_id ) ) ) {\n\t\t\t\tdelete_option( $option_key );\n\t\t\t}\n\t\t}\n\t}", "private function deactivatePaymentMethods()\n {\n $em = $this->container->get('models');\n $qb = $em->createQueryBuilder();\n\n $query = $qb->update('Shopware\\Models\\Payment\\Payment', 'p')\n ->set('p.active', '?1')\n ->where($qb->expr()->like('p.name', '?2'))\n ->setParameter(1, false)\n ->setParameter(2, self::ADYEN_GENERAL_PAYMENT_METHOD)\n ->getQuery();\n\n $query->execute();\n }", "public function resetShippingSpeeds()\n {\n foreach ($this->options as $op => $junk) {\n if (preg_match('#ShippingSpeedCategories#', $op)) {\n unset($this->options[$op]);\n }\n }\n }", "public function deactivateAll() \n {\n dd(Exception::METHOD_NOT_IMPLEMENTED, __METHOD__);\n }", "public static function disablePaymentMethod()\n {\n $oPayment = oxNew('oxpayment');\n $oPayment->load('oxidpaypal');\n $oPayment->oxpayments__oxactive = new oxField(0);\n $oPayment->save();\n }", "function hide_shipping_when_free_is_available( $rates, $package ) {\r\n \t\r\n \t// Only modify rates if free_shipping is present\r\n \tif ( isset( $rates['free_shipping'] ) ) {\r\n \t\r\n \t\t// To unset a single rate/method, do the following. This example unsets flat_rate shipping\r\n \t\t//unset( $rates['flat_rate'] );\r\n \t\t\r\n \t\t// To unset all methods except for free_shipping, do the following\r\n \t\t$free_shipping = $rates['free_shipping'];\r\n \t\t$rates = array();\r\n \t\t$rates['free_shipping'] = $free_shipping;\r\n\t}\r\n\t\r\n\treturn $rates;\r\n}", "public static function skip_shipping() {\n// a shipping address is not needed\n if ('virtual' === $GLOBALS['order']->content_type) {\n $_SESSION['shipping'] = false;\n $_SESSION['sendto'] = false;\n tep_redirect(tep_href_link('checkout_payment.php', '', 'SSL'));\n }\n }", "function my_hide_shipping_when_free_is_available( $rates ) {\r\n $free = array();\r\n\r\n foreach ( $rates as $rate_id => $rate ) {\r\n if ( 'free_shipping' === $rate->method_id ) {\r\n $free[ $rate_id ] = $rate;\r\n break;\r\n }\r\n }\r\n\r\n return ! empty( $free ) ? $free : $rates;\r\n}", "public static function disable_all() {\n\t\tforeach ( self::$types as $type ) {\n\t\t\tself::disable($type);\n\t\t}\n\t}", "public static function onDeactivate()\n {\n // If PayPal activated on other sub shops do not remove payment method and RDF setting\n if ('EE' == oxRegistry::getConfig()->getEdition() && self::isPayPalActiveOnSubShops()) {\n return;\n }\n self::disablePaymentMethod();\n self::disablePayPalRDFA();\n }", "protected function fetchShippingMethods()\r\n {\r\n $methods = array(); \r\n \r\n $settings = \\Shop\\Models\\Settings::fetch();\r\n \r\n if ($enabledMethods = $settings->enabledShippingMethods())\r\n {\t\r\n \t//$enabledMethods are a class e.g \\Shop\\Shipping\\Ups instance\r\n \tforeach($enabledMethods as $method) {\r\n \t\tif($method->validForCart($this)) {\r\n \t\t\t$methods[] = $method;\r\n \t\t}\r\n \t}\r\n \t\t\r\n }\r\n \r\n $event = \\Dsc\\System::instance()->trigger( 'onFetchShippingMethodsForCart', array(\r\n 'cart' => $this,\r\n 'methods' => $methods\r\n ) );\r\n \r\n return $event->getArgument('methods');\r\n }", "public static function disableAll()\n {\n $app = Application::getFacadeApplication();\n $app->make('cache/request')->disable();\n $app->make('cache/expensive')->disable();\n $app->make('cache')->disable();\n }", "public function disablePingback($methods)\n {\n unset($methods['pingback.ping']);\n return $methods;\n }", "function my_custom_available_payment_gateways( $gateways ) {\n\n\tif ( is_admin() && ! defined( 'DOING_AJAX' ) )\n\treturn;\n\t $chosen_shipping_rates = WC()->session->get( 'chosen_shipping_methods' );\n\t // When 'local delivery' has been chosen as shipping rate\n\t if ( in_array( 'flat_rate:8', $chosen_shipping_rates ) ) :\n\t\t // Remove bank transfer payment gateway\n\t\t unset( $gateways['bacs'] );\n\t endif;\n\t return $gateways;\n\n}", "public static function enable_packlink_shipping_methods() {\n\t\tstatic::change_shipping_methods_status();\n\t}", "public function disable($forceAll = false) {}", "public function disable()\n {\n $this->server_item->setDisabled(true);\n $this->course_item->setDisabled(true);\n $this->clearCommandButtons();\n }", "public function clearSessionRelayInformationsAction ()\n { \n Mage::getSingleton('checkout/session')->setData('gls_shipping_relay_data', null); \n Mage::getSingleton('checkout/session')->getQuote()->getShippingAddress()->setShippingMethod(null)->save();\n }", "function reset_previous_chosen_shipping_method_2() {\n if( is_checkout() && ! is_wc_endpoint_url() && is_user_logged_in()\n && get_user_meta( get_current_user_id(), 'shipping_method', true ) ) {\n delete_user_meta( get_current_user_id(), 'shipping_method' );\n WC()->session->__unset( 'chosen_shipping_methods' );\n }\n}", "public function deactivateAllPushers()\r\n {\r\n $this->pushers()->update(['active' => 0]);\r\n }", "public function getShippingMethod();", "public function getShippingMethod();", "function setShippingMethod() {\n global $total_count, $total_weight;\n // ensure that cart contents is calculated properly for weight and value\n if (!isset($total_weight)) $total_weight = $_SESSION['cart']->show_weight();\n if (!isset($total_count)) $total_count = $_SESSION['cart']->count_contents();\n // set the shipping method if one is not already set\n // defaults to the cheapest shipping method\n if ( !$_SESSION['shipping'] || ( $_SESSION['shipping'] && ($_SESSION['shipping'] == false) && (zen_count_shipping_modules() > 1) ) ) {\n require_once(DIR_WS_CLASSES . 'http_client.php');\n require_once(DIR_WS_CLASSES . 'shipping.php');\n $shipping_Obj = new shipping;\n\n // generate the quotes\n $shipping_Obj->quote();\n\n // set the cheapest one\n $_SESSION['shipping'] = $shipping_Obj->cheapest();\n }\n }", "public static function disablePayment(){\n\t\t$db = \\Config\\Database::connect();\n\t\thelper('settingsviews');\n\t\t$clientDetails = \\SettingsViews::getClientDetails();\n\t\tif(!empty($clientDetails)){\n\t\t\t$email_id = $clientDetails['email_id'];\n\t\t\t$validation_id = $clientDetails['validation_id'];\n\t\t\t$sellerdb = $clientDetails['sellerdb'];\n\t\t\t$store_hash = $clientDetails['store_hash'];\n\t\t\t$acess_token = $clientDetails['acess_token'];\n\t\t\t\n\t\t\t$url = getenv('bigcommerceapp.STORE_URL').$store_hash.'/v2/pages';\n\t\t\t$header = array(\n\t\t\t\t\"X-Auth-Token: \".$acess_token,\n\t\t\t\t\"Accept: application/json\",\n\t\t\t\t\"Content-Type: application/json\"\n\t\t\t);\n\t\t\ttry{\n\t\t\t\t\\SettingsViews::deleteScripts($sellerdb,$acess_token,$store_hash,$email_id,$validation_id);\n\t\t\t}catch(\\Exception $e){\n\t\t\t\tlog_message('info', 'exception:'.$e->getMessage());\n\t\t\t}\n\t\t\t\t$data = [\n\t\t\t\t\t'is_enable' => 0\n\t\t\t\t];\n\t\t\t$builderupdate = $db->table('payu_token_validation'); \n\t\t\t$builderupdate->where('email_id', $email_id); \n\t\t\t$builderupdate->update($data);\n\t\t}\n\t}", "public function disable();", "public function getUnusedPaymentMethods();", "public function remove_payment_methods( $available_gateways ) {\n\n\t\tif ( wc_booking_cart_requires_confirmation() ) {\n\t\t\tunset( $available_gateways );\n\n\t\t\t$available_gateways = array();\n\t\t\t$available_gateways['wc-booking-gateway'] = new WC_Bookings_Gateway();\n\t\t}\n\n\t\treturn $available_gateways;\n\t}", "public function removePaymentMethod()\n {\n return $this->getWorkflows()->create(\n 'disassociate_site_instrument',\n ['site' => $this->id,]\n );\n }", "public function disable()\n {\n $payload = '';\n\n $this->sendRequest(self::FUNCTION_DISABLE, $payload);\n }" ]
[ "0.73791754", "0.681337", "0.651266", "0.6404762", "0.637289", "0.6342083", "0.6307693", "0.6237331", "0.6231304", "0.6191078", "0.60796607", "0.5939655", "0.5863345", "0.5844021", "0.57941777", "0.5787833", "0.5778558", "0.5697921", "0.5675913", "0.56695426", "0.5632105", "0.55933386", "0.55933386", "0.5568162", "0.5547312", "0.5542774", "0.55096304", "0.54940885", "0.5488086", "0.54175997" ]
0.83550274
0
Fully remove Packlink added shipping methods.
public static function remove_packlink_shipping_methods() { global $wpdb; foreach ( static::get_shipping_method_map() as $item ) { $instance_id = $item->getWoocommerceShippingMethodId(); $method = new Packlink_Shipping_Method( $instance_id ); $option_key = $method->get_instance_option_key(); if ( $wpdb->delete( "{$wpdb->prefix}woocommerce_shipping_zone_methods", array( 'instance_id' => $instance_id ) ) ) { delete_option( $option_key ); } } }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public static function disable_packlink_shipping_methods() {\n\t\tstatic::change_shipping_methods_status( 0 );\n\t}", "public static function disable_shop_shipping_methods() {\n\t\tglobal $wpdb;\n\n\t\tforeach ( self::get_all_shipping_zone_ids() as $zone_id ) {\n\t\t\t$zone = \\WC_Shipping_Zones::get_zone( $zone_id );\n\t\t\tif ( ! $zone ) {\n\t\t\t\tcontinue;\n\t\t\t}\n\n\t\t\t/**\n\t\t\t * WooCommerce shipping method.\n\t\t\t *\n\t\t\t * @var \\WC_Shipping_Method $item\n\t\t\t */\n\t\t\tforeach ( $zone->get_shipping_methods( true ) as $item ) {\n\t\t\t\tif ( ( Packlink_Shipping_Method::PACKLINK_SHIPPING_METHOD !== $item->id )\n\t\t\t\t\t && $wpdb->update( \"{$wpdb->prefix}woocommerce_shipping_zone_methods\", array( 'is_enabled' => 0 ), array( 'instance_id' => absint( $item->instance_id ) ) )\n\t\t\t\t) {\n\t\t\t\t\tdo_action( 'woocommerce_shipping_zone_method_status_toggled', $item->instance_id, $item->id, $zone_id, 0 );\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}", "public static function enable_packlink_shipping_methods() {\n\t\tstatic::change_shipping_methods_status();\n\t}", "public function resetShippingSpeeds()\n {\n foreach ($this->options as $op => $junk) {\n if (preg_match('#ShippingSpeedCategories#', $op)) {\n unset($this->options[$op]);\n }\n }\n }", "function hide_shipping_when_free_is_available( $rates, $package ) {\r\n \t\r\n \t// Only modify rates if free_shipping is present\r\n \tif ( isset( $rates['free_shipping'] ) ) {\r\n \t\r\n \t\t// To unset a single rate/method, do the following. This example unsets flat_rate shipping\r\n \t\t//unset( $rates['flat_rate'] );\r\n \t\t\r\n \t\t// To unset all methods except for free_shipping, do the following\r\n \t\t$free_shipping = $rates['free_shipping'];\r\n \t\t$rates = array();\r\n \t\t$rates['free_shipping'] = $free_shipping;\r\n\t}\r\n\t\r\n\treturn $rates;\r\n}", "function frame_init_remove_xmlrpc_pingback_ping($methods)\n {\n unset($methods['pingback.ping']);\n return $methods;\n }", "public function tearDown() {\n $this->website_shipping_method = null;\n }", "function my_custom_available_payment_gateways( $gateways ) {\n\n\tif ( is_admin() && ! defined( 'DOING_AJAX' ) )\n\treturn;\n\t $chosen_shipping_rates = WC()->session->get( 'chosen_shipping_methods' );\n\t // When 'local delivery' has been chosen as shipping rate\n\t if ( in_array( 'flat_rate:8', $chosen_shipping_rates ) ) :\n\t\t // Remove bank transfer payment gateway\n\t\t unset( $gateways['bacs'] );\n\t endif;\n\t return $gateways;\n\n}", "public function getShippingMethod();", "public function getShippingMethod();", "public function removePaymentMethod()\n {\n return $this->getWorkflows()->create(\n 'disassociate_site_instrument',\n ['site' => $this->id,]\n );\n }", "public function clearSessionRelayInformationsAction ()\n { \n Mage::getSingleton('checkout/session')->setData('gls_shipping_relay_data', null); \n Mage::getSingleton('checkout/session')->getQuote()->getShippingAddress()->setShippingMethod(null)->save();\n }", "public function remove_payment_methods( $available_gateways ) {\n\n\t\tif ( wc_booking_cart_requires_confirmation() ) {\n\t\t\tunset( $available_gateways );\n\n\t\t\t$available_gateways = array();\n\t\t\t$available_gateways['wc-booking-gateway'] = new WC_Bookings_Gateway();\n\t\t}\n\n\t\treturn $available_gateways;\n\t}", "public static function resetMethods(): void\n {\n PatchManager::clear();\n }", "function filter_xmlrpc_method($methods)\n{\n unset($methods['pingback.ping']);\n return $methods;\n}", "function reset_previous_chosen_shipping_method_2() {\n if( is_checkout() && ! is_wc_endpoint_url() && is_user_logged_in()\n && get_user_meta( get_current_user_id(), 'shipping_method', true ) ) {\n delete_user_meta( get_current_user_id(), 'shipping_method' );\n WC()->session->__unset( 'chosen_shipping_methods' );\n }\n}", "private function release_permalinks() {\n\t\tremove_filter( 'pre_option_rewrite_rules', [ $this, 'get_old_rewrite_rules' ] );\n\t\tremove_filter( 'pre_option_permalink_structure', [ $this, 'get_old_permalink' ] );\n\t}", "function add_channel_engine_shipping_method( $methods ) {\n\t\t$methods[] = 'Channel_Engine_Shipping_Method';\n\t\treturn $methods;\n\t}", "public function unhook_functions() {\n\t\t//remove_action( 'storefront_before_content',\t'storefront_header_widget_region',\t10 );\n\t\tremove_action( 'storefront_header', 'storefront_product_search', 40 );\n\t\tremove_action( 'storefront_header', 'storefront_site_branding', 20 );\n\t\tadd_action( 'storefront_header', 'storefront_site_branding', 43 );\n\t\tremove_action( 'storefront_header', 'storefront_header_cart', \t\t60 );\n\t\tremove_action( 'after_setup_theme', 'custom_header_setup' );\n\t\tremove_action( 'after_setup_theme', 'storefront_custom_header_setup', 50 );\n\t\tremove_action( 'storefront_footer', 'storefront_credit', 20 );\n\t\tremove_action ( 'woocommerce_single_product_summary', 'woocommerce_template_single_meta', 40 );\n\t\t\n\t}", "function my_hide_shipping_when_free_is_available( $rates ) {\r\n $free = array();\r\n\r\n foreach ( $rates as $rate_id => $rate ) {\r\n if ( 'free_shipping' === $rate->method_id ) {\r\n $free[ $rate_id ] = $rate;\r\n break;\r\n }\r\n }\r\n\r\n return ! empty( $free ) ? $free : $rates;\r\n}", "public function test_delete_method() {\n\t\t$zone = $this->create_shipping_zone( 'Zone 1' );\n\t\t$instance_id = $zone->add_shipping_method( 'flat_rate' );\n\t\t$methods = $zone->get_shipping_methods();\n\t\t$method = $methods[ $instance_id ];\n\t\t$request = new WP_REST_Request( 'DELETE', '/wc/v4/shipping/zones/' . $zone->get_id() . '/methods/' . $instance_id );\n\t\t$request->set_param( 'force', true );\n\t\t$response = $this->server->dispatch( $request );\n\t\t$this->assertEquals( 200, $response->get_status() );\n\t}", "public function unsetShippingPackageInfo($index)\n {\n unset($this->shippingPackageInfo[$index]);\n }", "protected function fetchShippingMethods()\r\n {\r\n $methods = array(); \r\n \r\n $settings = \\Shop\\Models\\Settings::fetch();\r\n \r\n if ($enabledMethods = $settings->enabledShippingMethods())\r\n {\t\r\n \t//$enabledMethods are a class e.g \\Shop\\Shipping\\Ups instance\r\n \tforeach($enabledMethods as $method) {\r\n \t\tif($method->validForCart($this)) {\r\n \t\t\t$methods[] = $method;\r\n \t\t}\r\n \t}\r\n \t\t\r\n }\r\n \r\n $event = \\Dsc\\System::instance()->trigger( 'onFetchShippingMethodsForCart', array(\r\n 'cart' => $this,\r\n 'methods' => $methods\r\n ) );\r\n \r\n return $event->getArgument('methods');\r\n }", "public static function skip_shipping() {\n// a shipping address is not needed\n if ('virtual' === $GLOBALS['order']->content_type) {\n $_SESSION['shipping'] = false;\n $_SESSION['sendto'] = false;\n tep_redirect(tep_href_link('checkout_payment.php', '', 'SSL'));\n }\n }", "public function clear_shipping_info()\n\t{\n\t\t$this->shipping_info = array();\n\t\t\n\t\treturn $this;\n\t}", "function Uninstall()\r\n\t{\r\n\t\tglobal $gCms;\r\n\t\trequire \"method.uninstall.php\";\r\n\t}", "public static function method_inits() {\n \n\t\tdo_action( 'jigoshop_shipping_init' ); /* loaded plugins for shipping inits */\n\t\t\n\t\t$load_methods = apply_filters( 'jigoshop_shipping_methods', array() );\n\t\t\n\t\tforeach ( $load_methods as $method ) :\n\t\t\tself::$shipping_methods[] = &new $method();\n\t\tendforeach;\n\t\t\n }", "function bbp_uninstall()\n{\n}", "public function get_shipping_method_options() {\n\t\tif ( ! empty( $this->shipping_methods ) ) {\n\t\t\treturn apply_filters( 'iconic_wds_shipping_method_options', $this->shipping_methods );\n\t\t}\n\n\t\t$transient_name = 'iconic-wds-shipping-methods';\n\t\t$this->shipping_methods = get_transient( $transient_name );\n\n\t\tif ( false !== $this->shipping_methods ) {\n\t\t\treturn apply_filters( 'iconic_wds_shipping_method_options', $this->shipping_methods );\n\t\t}\n\n\t\t$shipping_method_options = array(\n\t\t\t'any' => __( 'Any Method', 'jckwds' ),\n\t\t);\n\n\t\tif ( class_exists( 'WC_Shipping_Zones' ) ) {\n\t\t\t$shipping_zones = $this->get_shipping_zones();\n\n\t\t\tif ( ! empty( $shipping_zones ) ) {\n\t\t\t\tforeach ( $shipping_zones as $shipping_zone ) {\n\t\t\t\t\t$methods = $shipping_zone->get_shipping_methods( true );\n\n\t\t\t\t\tif ( ! $methods ) {\n\t\t\t\t\t\tcontinue;\n\t\t\t\t\t}\n\n\t\t\t\t\tforeach ( $methods as $method ) {\n\t\t\t\t\t\t$zone_based_shipping_method = apply_filters( 'iconic_wds_zone_based_shipping_method', array(), $method, $shipping_zone );\n\n\t\t\t\t\t\tif ( ! empty( $zone_based_shipping_method ) ) {\n\t\t\t\t\t\t\t$shipping_method_options = $shipping_method_options + $zone_based_shipping_method;\n\t\t\t\t\t\t\tcontinue;\n\t\t\t\t\t\t}\n\n\t\t\t\t\t\t$title = empty( $method->title ) ? ucfirst( $method->id ) : $method->title;\n\t\t\t\t\t\t$class = str_replace( 'wc_shipping_', '', strtolower( get_class( $method ) ) );\n\n\t\t\t\t\t\tif ( 'table_rate' === $class ) {\n\t\t\t\t\t\t\t$trs_methods = $this->get_trs_methods_zones( $method, $class, $shipping_zone );\n\n\t\t\t\t\t\t\t$shipping_method_options = $shipping_method_options + $trs_methods;\n\t\t\t\t\t\t} elseif ( 'be_cart_based_shipping' === $class ) {\n\t\t\t\t\t\t\t$value = sprintf( 'cart_based_rate%d', $method->instance_id );\n\n\t\t\t\t\t\t\t$shipping_method_options[ $value ] = esc_html( sprintf( '%s: %s', $shipping_zone->get_zone_name(), $title ) );\n\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\t$value = sprintf( '%s:%d', $class, $method->instance_id );\n\n\t\t\t\t\t\t\t$shipping_method_options[ $value ] = esc_html( sprintf( '%s: %s', $shipping_zone->get_zone_name(), $title ) );\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t$shipping_methods = WC()->shipping->load_shipping_methods();\n\n\t\tforeach ( $shipping_methods as $method ) {\n\t\t\tif ( ! $method->has_settings() ) {\n\t\t\t\tcontinue;\n\t\t\t}\n\n\t\t\t$standard_shipping_method = apply_filters( 'iconic_wds_standard_shipping_method', array(), $method );\n\n\t\t\tif ( ! empty( $standard_shipping_method ) ) {\n\t\t\t\t$shipping_method_options = $shipping_method_options + $standard_shipping_method;\n\t\t\t\tcontinue;\n\t\t\t}\n\n\t\t\t$title = empty( $method->method_title ) ? ucfirst( $method->id ) : $method->method_title;\n\t\t\t$class = get_class( $method );\n\n\t\t\tif ( $class == \"WAS_Advanced_Shipping_Method\" ) {\n\t\t\t\t$was_methods = $this->get_was_methods();\n\n\t\t\t\t$shipping_method_options = $shipping_method_options + $was_methods;\n\t\t\t} elseif ( $class == \"Wafs_Free_Shipping_Method\" ) {\n\t\t\t\t$wafs_methods = $this->get_wafs_methods();\n\n\t\t\t\t$shipping_method_options = $shipping_method_options + $wafs_methods;\n\t\t\t} elseif ( $class == \"BE_Table_Rate_Shipping\" ) {\n\t\t\t\t$trs_methods = $this->get_trs_methods();\n\n\t\t\t\t$shipping_method_options = $shipping_method_options + $trs_methods;\n\t\t\t} elseif ( $class == \"WC_Shipping_WooShip\" ) {\n\t\t\t\t$wooship_methods = $this->get_wooship_methods();\n\n\t\t\t\t$shipping_method_options = $shipping_method_options + $wooship_methods;\n\t\t\t} elseif ( $class == \"MH_Table_Rate_Plus_Shipping_Method\" ) {\n\t\t\t\t$table_rate_plus_methods = $this->get_table_rate_plus_methods( $method );\n\n\t\t\t\t$shipping_method_options = $shipping_method_options + $table_rate_plus_methods;\n\t\t\t} elseif ( $class == \"WC_Distance_Rate_Shipping\" || $class == \"WC_Collection_Delivery_Rate\" || $class == \"WC_Special_Delivery_Rate\" ) {\n\t\t\t\t$distance_rate_shipping_methods = $this->get_distance_rate_shipping_methods( $method );\n\n\t\t\t\t$shipping_method_options = $shipping_method_options + $distance_rate_shipping_methods;\n\t\t\t} else {\n\t\t\t\t$shipping_method_options[ strtolower( $class ) ] = esc_html( $title );\n\t\t\t}\n\t\t}\n\n\t\t$this->shipping_methods = apply_filters( 'iconic_wds_shipping_method_options', $shipping_method_options );\n\n\t\tset_transient( $transient_name, $this->shipping_methods, 30 * DAY_IN_SECONDS );\n\n\t\treturn $this->shipping_methods;\n\t}", "public function shippingMethods( $refresh=false )\r\n {\r\n if (empty($this->{'checkout.shipping_address.country'}) || empty($this->{'checkout.shipping_address.region'}) )\r\n {\r\n $this->{'checkout.shipping_method'} = null;\r\n $this->shipping_methods = array();\r\n $this->save();\r\n }\r\n \r\n elseif (empty($this->shipping_methods) || $refresh) \r\n {\r\n $this->shipping_methods = $this->fetchShippingMethods();\r\n $this->save();\r\n }\r\n \r\n return $this->shipping_methods;\r\n }" ]
[ "0.8053302", "0.6845965", "0.673244", "0.60889596", "0.60535854", "0.5966686", "0.59067565", "0.5844764", "0.5759635", "0.5759635", "0.57371753", "0.5734747", "0.5655644", "0.560335", "0.5590622", "0.55638313", "0.542267", "0.5395504", "0.53677803", "0.53588575", "0.53260577", "0.5325102", "0.532444", "0.53151214", "0.53101647", "0.5297093", "0.5281419", "0.527747", "0.5273845", "0.5268158" ]
0.8393421
0
Return array of all zone ids.
public static function get_all_shipping_zone_ids() { $all_zones = \WC_Shipping_Zones::get_zones(); $zone_ids = Php55::arrayColumn( $all_zones, 'zone_id' ); // Locations not covered by other zones. if ( ! in_array( 0, $zone_ids, true ) ) { $zone_ids[] = 0; } return $zone_ids; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function getTimezones() {\n\t\treturn array_combine(DateTimeZone::listIdentifiers(),DateTimeZone::listIdentifiers());\n\t}", "public function timezonesCollection()\n {\n return collect(\\DateTimeZone::listIdentifiers());\n }", "public static function zones()\n {\n $timezones = [];\n\n foreach (\\DateTimeZone::listAbbreviations() as $t => $zones) {\n foreach ($zones as $zone) {\n $timezones[$zone['timezone_id']] = $zone['timezone_id'];\n }\n }\n\n ksort($timezones);\n\n return $timezones;\n }", "public static function getAllZones() {\n global $lC_Database;\n\n $Qgroups = $lC_Database->query('select SQL_CALC_FOUND_ROWS * from :table_geo_zones order by geo_zone_name');\n $Qgroups->bindTable(':table_geo_zones', TABLE_GEO_ZONES);\n $Qgroups->execute();\n\n while ( $Qgroups->next() ) {\n $result['zonesArray'][] = $Qgroups->toArray();\n }\n \n $Qgroups->freeResult();\n\n return $result;\n }", "public static function getAll()\n {\n $timezones = [];\n $identifiers = DateTimeZone::listIdentifiers();\n foreach ($identifiers as $identifier) {\n $date = new DateTime(\"now\", new DateTimeZone($identifier));\n $offsetText = $date->format(\"P\");\n $offsetInHours = $date->getOffset() / 60 / 60;\n $timezones[] = [\n \"identifier\" => $identifier,\n \"name\" => \"(GMT{$offsetText}) $identifier\",\n \"offset\" => $offsetInHours\n ];\n }\n\n ArrayHelper::multisort($timezones, \"offset\", SORT_ASC, SORT_NUMERIC);\n return $timezones;\n }", "public function tz_list() {\n $zones_array = array();\n if (function_exists('timezone_identifiers_list')){ \n foreach(@timezone_identifiers_list() as $key => $zone) {\n $zones_array[$key]['zone'] = $zone;\n }\n }else{\n $zones_array[0]['zone'] = '';\n }\n return $zones_array;\n }", "public static function getZones($id) {\n global $lC_Database, $lC_Language;\n\n $lC_Language->loadIniFile('zone_groups.php');\n\n $result = array();\n $Qzones = $lC_Database->query('select zone_id, zone_name from :table_zones where zone_country_id = :zone_country_id order by zone_name');\n $Qzones->bindTable(':table_zones', TABLE_ZONES);\n $Qzones->bindInt(':zone_country_id', $id);\n $Qzones->execute();\n\n $zones_array = array('0' => $lC_Language->get('all_zones'));\n while ( $Qzones->next() ) {\n $zones_array[$Qzones->value('zone_id')] = $Qzones->value('zone_name');\n }\n $result['zonesArray'] = $zones_array;\n\n return $result;\n }", "public function getTimeZones()\n\t{\n\t\tstatic $arr;\n\t\tif ($arr === null) {\n\t\t\t$validPrefixes = ['Africa', 'America', 'Antarctica', 'Arctic', 'Asia', 'Atlantic', 'Australia', 'Etc', 'Europe', 'Indian', 'Pacific'];\n\t\t\t$tmp = $this->findInfo('zoneStrings', 'zoneStrings');\n\t\t\tforeach ($tmp as $k => $v) {\n\t\t\t\tforeach ($validPrefixes as $prefix) {\n\t\t\t\t\tif (strpos($k, $prefix) === 0) {\n\t\t\t\t\t\t$arr[] = str_replace(':', '/', $k);\n\t\t\t\t\t\tbreak;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t\treturn $arr;\n\t}", "public function getIds();", "public function getList()\n {\n $queryList = \"SELECT timezone_id, timezone_name, timezone_offset FROM timezone ORDER BY timezone_name asc\";\n try {\n $res = CentreonDBInstance::getConfInstance()->query($queryList);\n } catch (\\PDOException $e) {\n return [];\n }\n\n $this->timezoneById = [];\n while ($row = $res->fetchRow()) {\n $this->timezones[$row['timezone_name']] = $row['timezone_id'];\n $this->timezoneById[$row['timezone_id']] = $row['timezone_name'];\n $this->aListTimezone[$row['timezone_id']] = $row;\n }\n\n return $this->timezoneById;\n }", "public function getTimezones()\r\n {\r\n return $this->getRecords(\"SELECT * FROM timezones ORDER BY TimezoneValue\");\r\n }", "public function getZones()\n {\n return $this->zones;\n }", "public function getZones()\n {\n return $this->zones;\n }", "public function allPatternIds() : array\n {\n return $this->manager->allPatternIds();\n }", "public function getIds(): array;", "public static function listTimeZone()\n {\n $timezone = [];\n $timestamp = time();\n\n foreach (timezone_identifiers_list() as $zone) {\n date_default_timezone_set($zone);\n $timezone[$zone] = $zone . ' UTC/GMT ' . date('P', $timestamp);\n }\n\n return $timezone;\n }", "public function getIds(){\n\t\t/*$ids = array();\n\t\tforeach($this->vos as $key => $value){\n\t\t\t$ids[] = $key;\n\t\t}*/\n\t\treturn (array)$this->idSet;\n\t}", "public function ids() \n {\n $ids = array();\n\n foreach ($this->_ids as $id) {\n $ids[$id] = $this->{$id};\n }\n\n return $ids;\n }", "public function getZones(){\n $resultat = $this->db->select()\n ->from($this->table)\n ->get()\n ->result();\n \n $zoneCollection = new ZoneCollection();\n \n foreach($resultat as $element){\n $dto = $this->hydrateFromDatabase($element);\n $zoneCollection->append($dto);\n }\n \n return $zoneCollection;\n }", "public function getDnsZones();", "public function getIds(): array\n {\n $ids = [];\n\n $this->rewind();\n while ($this->valid()) {\n $ids[] = $this->current()->getId();\n $this->next();\n }\n\n return $ids;\n }", "public function getIds(): array\n {\n return $this->ids;\n }", "public static function getIds()\n {\n return self::query()->orderBy('id')->pluck('id');\n }", "public function getIds()\n {\n if (!$this->_extendedBackend) {\n Zend_Cache::throwException(self::BACKEND_NOT_IMPLEMENTS_EXTENDED_IF);\n }\n\n $ids = $this->_backend->getIds();\n\n // we need to remove cache_id_prefix from ids (see #ZF-6178, #ZF-7600)\n if (isset($this->_options['cache_id_prefix']) && $this->_options['cache_id_prefix'] !== '') {\n $prefix = & $this->_options['cache_id_prefix'];\n $prefixLen = strlen($prefix);\n foreach ($ids as &$id) {\n if (strpos($id, $prefix) === 0) {\n $id = substr($id, $prefixLen);\n }\n }\n }\n\n return $ids;\n }", "public function ids(): array;", "private function getRegions()\n {\n $collection = $this->regionCollectionFactory->create()->load();\n $regions = [];\n /** @var \\Magento\\Directory\\Model\\Region $region */\n foreach ( $collection->getItems() as $region ) {\n if($region->getCountryId() == 'US') {\n $regions[$region->getCode()] = $region->getRegionId();\n }\n }\n return $regions;\n }", "public function ids() {\n\t\t$q = $this->query();\n\t\t$q->select(PrWorkCenter::aliasproperty('id'));\n\t\treturn $q->find()->toArray();\n\t}", "public function getIds()\n {\n return $this->pluck('id');\n }", "public function getPageMainZones()\n {\n $result = array();\n\n if (null === $this->getLayout()) {\n return $result;\n }\n\n $currentpageRootZones = $this->getContentSet();\n $layoutZones = $this->getLayout()->getZones();\n $count = count($layoutZones);\n for ($i = 0; $i < $count; $i++) {\n $zoneInfos = $layoutZones[$i];\n $currentZone = $currentpageRootZones->item($i);\n\n if (\n null !== $currentZone\n && null !== $zoneInfos\n && true === property_exists($zoneInfos, 'mainZone')\n && true === $zoneInfos->mainZone\n ) {\n $result[$currentZone->getUid()] = $currentZone;\n }\n }\n\n return $result;\n }", "function ciniki_core_getTimeZones($ciniki) {\n\n $zones = timezone_identifiers_list();\n\n $timezones = array();\n foreach($zones as $zone) {\n $e_zone = explode('/', $zone); // 0 => Continent, 1 => City\n \n $timezones[] = array('id'=>\"$zone\");\n }\n\n return array('stat'=>'ok', 'timezones'=>$timezones);\n}" ]
[ "0.7551848", "0.718075", "0.71030265", "0.69844013", "0.6965161", "0.6868353", "0.6745425", "0.67006963", "0.65686065", "0.652943", "0.65272284", "0.65200335", "0.65200335", "0.64807713", "0.6480436", "0.6450314", "0.64327943", "0.634783", "0.63112396", "0.6309839", "0.63086355", "0.63077766", "0.62809736", "0.6276356", "0.62494457", "0.6204162", "0.61943567", "0.61596936", "0.61351657", "0.6122481" ]
0.7598399
0
Returns "PasswordAuthentication" as the authentication type
public function getAuthenticationMethod() { return "PasswordAuthenticationModule"; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function getAuthenticationType()\n {\n // Just use none for now and I'll build in \"basic\" later\n return 'none';\n }", "public function getAuthenticationType()\n {\n return 'none';\n }", "public function getAuthentication();", "public function getAuthenticationMode()\n {\n return $this->authenticationMode;\n }", "public function authenticationPassword() : string\n {\n return $this->paramsArray['parameters']['jira.authentication.password'];\n }", "public function getAuthType() {\n return $this->authType;\n }", "public function getPasswordName();", "public function getAuthPassword()\n {\n $getPassword = 'get' . $this->getPasswordField();\n return $this->$getPassword();\n }", "public function getAuthType()\n\t{\n\t\treturn $this->authType;\n\t}", "public function getGrantType();", "public function getGrantType();", "public function getAuthType() : int {\n return $this->authType;\n }", "public function getAuthPassword(){\n return $this->getPassword();\n }", "public function getAuthPassword()\n\n\t{\n\n\t\treturn $this->lozinka;\n\n\t}", "public function getAuthentication()\n\t{\n\t\treturn $this->authentication;\n\t}", "public function getPlainPassword();", "public function getPlainPassword();", "public function getAuthPassword()\n {\n \treturn $this->password;\n }", "public function getAuthenticateHeader()\n {\n return $this->getType() . ' realm=\"' . $this->configData[\"realm\"] . '\"';\n }", "public function getAuthPassword(){ return '.'; }", "public function getCredentialType() {\n return $this->_credentialType;\n }", "public function getAuthPassword()\n {\n return $this->passwordUser;\n }", "public function getAuthPassword()\n {\n return $this->getPassword();\n }", "public function getAuthPassword()\n {\n return $this->password;\n }", "public function getAuthType()\n {\n return $this->getKey('AuthType');\n }", "private function get_auth_method_type () {\n # for older versions - only local is available!\n if($this->settings->version==\"1.1\") {\n $this->authmethodtype = \"auth_local\";\n }\n else {\n try { $method = $this->Database->getObject(\"usersAuthMethod\", $this->authmethodid); }\n catch (Exception $e) {\n $this->Result->show(\"danger\", _(\"Error: \").$e->getMessage(), true);\n }\n # save method name if existing\n if($method!==false) {\n $this->authmethodtype = \"auth_\".$method->type;\n $this->authmethodparams = $method->params;\n }\n }\n }", "public function getAuthPassword()\n {\n return $this->contrasenia;\n }", "public function getAuthPassword()\n {\n return $this->password;\n }", "public function getAuthPassword()\n {\n return $this->password;\n }", "public function getAuthPassword()\n {\n return $this->password;\n }" ]
[ "0.75559205", "0.6816666", "0.6589906", "0.65104955", "0.6492252", "0.64912844", "0.6434243", "0.6390057", "0.6389818", "0.63048387", "0.63048387", "0.6288376", "0.6227513", "0.6211236", "0.61364686", "0.61223525", "0.61223525", "0.6115624", "0.61034834", "0.609952", "0.6086561", "0.60825336", "0.6068102", "0.6063936", "0.60535145", "0.6033644", "0.602749", "0.6025288", "0.6025288", "0.6025288" ]
0.81239665
0
Gets query for [[HealthProfile]].
public function getHealthProfile() { return $this->hasOne(HealthProfile::className(), ['id' => 'healthProfileId']); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function getProfile();", "public function getHealth()\n {\n return $this->sendRequest('health/');\n }", "public function getProfile(): Profile\n {\n return $this->getAdapter()->getProfile();\n }", "public function getProfile()\n {\n if ($this->getProfileId())\n {\n if ($profileClass = $this->computeProfileClassName($this->getType()))\n {\n $this->profile = Doctrine::getTable($profileClass)\n ->find($this->getProfileId());\n } \n }\n \n return $this->profile;\n }", "public function getProfile()\n {\n }", "public function getProfile()\n\t{\n\t\treturn $this->getKeyValue('profile'); \n\n\t}", "private function getProfile()\n {\n if ($this->http->headers->has('JWT_TOKEN')) {\n $this->options['headers'] = [\n 'Content-type' => 'application/json',\n 'Authorization' => $this->http->headers->get('JWT_TOKEN')\n ];\n\n $get_profile = $this->client->request('GET', '/employee/my-profile', $this->options);\n if ($get_profile->getStatusCode() === 200) {\n $get_profile = \\GuzzleHttp\\json_decode($get_profile->getBody());\n $this->output($get_profile);\n }\n }\n $this->output([\n 'status' => false\n ]);\n }", "public function getProfile()\n\t{\n\t}", "function getProfile()\n {\n\n if ($this->profile > 0)\n {\n return $this->profile;\n }\n else\n {\n $db = &atkGetDb();\n $query = &$db->createQuery();\n //we add the table competences\n $query->addTable(\"competency_profile_person\");\n $query->addField(\"profile_id\");\n $query->addCondition(\"person_id=\" . $this->user['id']);\n $profiles = $db->getrows($query->buildSelect());\n if (count($profiles) > 0)\n {\n $this->profile = $profiles[0]['profile_id'];\n return ($profiles[0]['profile_id']);\n }\n else\n {\n return 0;\n }\n }\n }", "public function getProfile() {\r\n\t\treturn $this->profile;\r\n\t}", "public function getProfile()\n {\n return $this->profile;\n }", "public function getProfile()\n {\n return $this->profile;\n }", "public function get_profile() {\n\n\t\tcheck_ajax_referer( 'mi-admin-nonce', 'nonce' );\n\n\t\tif ( ! current_user_can( 'monsterinsights_save_settings' ) ) {\n\t\t\treturn;\n\t\t}\n\n\t\twp_send_json( array(\n\t\t\t'ua' => MonsterInsights()->auth->get_ua(),\n\t\t\t'viewname' => MonsterInsights()->auth->get_viewname(),\n\t\t\t'manual_ua' => MonsterInsights()->auth->get_manual_ua(),\n\t\t\t'network_ua' => MonsterInsights()->auth->get_network_ua(),\n\t\t\t'network_viewname' => MonsterInsights()->auth->get_network_viewname(),\n\t\t\t'network_manual_ua' => MonsterInsights()->auth->get_network_manual_ua(),\n\t\t) );\n\n\t}", "public function getProfile() {\n return $this->profile;\n }", "public function getProfile() {\n return $this->profile;\n }", "public function getProfile()\r\n\t{\r\n\t\treturn $this->profile;\r\n\t}", "public function getHealth() : Health\n {\n return $this->health;\n }", "public function getProfile()\n\t{\n\t\treturn $this->profile;\n\t}", "public function getUserProfile();", "function getProfile($params = array())\n\t{\n\t\t$query = $this->db->get_where('profiles', $params);\n\n\t\treturn $query->row();\n\t}", "public function get_query() {\n\t\t// Create new query instance.\n\t\t$args = [\n\t\t\t'post_type' => 'profile',\n\t\t\t'post_status' => [ 'publish' ],\n\t\t\t'posts_per_page' => 9,\n\t\t\t'paged' => get_query_var( 'paged', 1 ),\n\t\t];\n\n\t\t// Get the query var values from request.\n\t\t$job = get_query_var( 'profile_job', false );\n\t\t$gender = get_query_var( 'profile_gender', false );\n\t\t$church = get_query_var( 'profile_church', false );\n\t\t$min_age = get_query_var( 'profile_min_age', false );\n\t\t$max_age = get_query_var( 'profile_max_age', false );\n\t\t$education = get_query_var( 'profile_education', false );\n\n\t\t// Min age query.\n\t\tif ( $min_age ) {\n\t\t\t// Create relative date from min age.\n\t\t\t$age_from = strtotime( '-' . (int) $min_age . ' year', time() );\n\t\t\t$age_from = date( 'Ymd', $age_from );\n\t\t\t// Setup meta query.\n\t\t\t$args['meta_query'][] = [\n\t\t\t\t'key' => 'date_of_birth',\n\t\t\t\t'value' => $age_from,\n\t\t\t\t'compare' => '<=',\n\t\t\t];\n\t\t}\n\n\t\t// Max age query.\n\t\tif ( $max_age ) {\n\t\t\t// Create relative date from min age.\n\t\t\t$age_to = strtotime( '-' . (int) $max_age . ' year', time() );\n\t\t\t$age_to = date( 'Ymd', $age_to );\n\t\t\t// Setup meta query.\n\t\t\t$args['meta_query'][] = [\n\t\t\t\t'key' => 'date_of_birth',\n\t\t\t\t'value' => $age_to,\n\t\t\t\t'compare' => '>=',\n\t\t\t];\n\t\t}\n\n\t\t// Church query.\n\t\tif ( $church ) {\n\t\t\t// Setup meta query.\n\t\t\t$args['tax_query'][] = [\n\t\t\t\t'taxonomy' => 'churches',\n\t\t\t\t'terms' => $church,\n\t\t\t];\n\t\t}\n\n\t\t// Job query.\n\t\tif ( $job ) {\n\t\t\t// Setup meta query.\n\t\t\t$args['meta_query'][] = [\n\t\t\t\t'key' => 'job',\n\t\t\t\t'value' => $job,\n\t\t\t];\n\t\t}\n\n\t\t// Education query.\n\t\tif ( $education ) {\n\t\t\t// Setup meta query.\n\t\t\t$args['meta_query'][] = [\n\t\t\t\t'key' => 'education',\n\t\t\t\t'value' => $education,\n\t\t\t];\n\t\t}\n\n\t\t// Gender query.\n\t\tif ( $gender ) {\n\t\t\t// Setup meta query.\n\t\t\t$args['meta_query'][] = [\n\t\t\t\t'key' => 'gender',\n\t\t\t\t'value' => $gender,\n\t\t\t];\n\t\t}\n\n\t\treturn new WP_Query( $args );\n\t}", "public function getProfile() {\n return $this->getEvalAttribute('info');\n }", "public function getProfileDetails(){\n\t\t\n\t\t$allProfiles = Profile::all();\n\t\t$profileId = -1;\n\t\t\n\t\tforeach($allProfiles as $profile){\n\t\t\tif($profile->user_id == Auth::id()){\n\t\t\t\t$profileId = $profile->id;\n\t\t\t}\n\t\t}\n\t\t$profile = Profile::find($profileId);\n\t\treturn $profile;\n\t}", "public function searchProfile($name){\n return $this->securityDAO->searchProfilesDAO($name);\n }", "function GetAllSearchProfiles()\n {\n return $this->GetResult(\"\",__FUNCTION__); \n }", "public function requestProfile();", "public function getHealth()\n {\n return $this->health;\n }", "public function getPropertiesInProfile($query, $vendor)\n {\n \t$sz = '';\n \t$qz = Doctrine_Query::create()->from('VendorZone')->where(\"app_user_id = $vendor\");\n \t\n \tif ($qz->count() > 0) {\n \t\t$dz = $qz->execute();\n\n \t\tforeach ($dz as $v_z) { $sz .= $v_z->getNeighborhoodId().','; }\n \t}\n \t$sz = substr($sz, 0, -1);\n\n \tif (!empty($sz)) {\n \t\t$sz = \"OR p.neighborhood_id IN ($sz)\";\n \t}\n \t$filter = \"$query AND (p.app_user_id = $vendor $sz)\";\n\n \t$q = Doctrine_Query::create()\n \t\t\t ->from('RealProperty p')\n \t\t\t ->leftJoin('p.Neighborhood n')\n \t\t\t ->leftJoin('p.PropertyType pt')\n \t\t\t ->where($filter)\n \t\t\t ->orderBy('p.updated DESC')\n \t\t\t ->limit(50);\n\n\t\treturn $q->count() > 0 ? $q->execute() : NULL;\n }", "public function health($data=array()){\n\n //search ping\n return $this->client->cat()->health($data);\n }", "public function get_profile($params = array())\n\t{\n\t\t$query = $this->db->get_where('profiles', $params);\n\n\t\treturn $query->row();\n\t}" ]
[ "0.5953047", "0.5691596", "0.5544615", "0.5534927", "0.5522334", "0.55093133", "0.54664415", "0.5449406", "0.5399896", "0.5390657", "0.5389346", "0.5389346", "0.5385881", "0.5371985", "0.5371985", "0.5371216", "0.53277653", "0.5306041", "0.52966195", "0.5295583", "0.5275434", "0.52251863", "0.5202182", "0.51924926", "0.5191394", "0.51513946", "0.5113366", "0.5106351", "0.5094897", "0.5087548" ]
0.7000851
0
Add a path to a context.
public function addPath($path, $context) { if ( ! array_key_exists($context, $this->paths)) { $this->paths[$context] = []; } if ( ! is_array($this->paths[$context])) { $this->paths[$context] = [$this->paths[$context]]; } array_unshift($this->paths[$context], $path); return $this; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function addPath($path);", "public function addPath($path);", "public function addPath($path);", "private function addPath(?string $path) : void\n {\n $this->path = $path ?: self::DEFAULT_PATH;\n }", "public function addPath($path)\n {\n $this->paths[] = $path;\n }", "public function setContextPath($contextPath);", "public function addPath($path)\n {\n while (substr($this->path, strlen($this->path) - 1) == '/') {\n $this->path = substr($this->path, 0, strlen($this->path) - 1);\n }\n\n $realPath = '';\n foreach (explode('/', $path) as $c => $pathPiece) {\n if ($c > 0) {\n $realPath .= '/';\n }\n $realPath .= urlencode($pathPiece);\n }\n while (substr($path, 0, 1) == '/') {\n $path = substr($path, 1);\n }\n\n $this->path .= '/' . $path;\n return $this;\n }", "public function addPath($path)\n {\n if (!in_array($path,$this->paths))\n {\n array_push($this->paths,$path);\n };\n return $this;\n }", "public function add($path)\n {\n $this->render($this->prefixPath . $path);\n }", "public function addPath($path) {\n\t\tif ($path[strlen($path)-1] != DIRECTORY_SEPARATOR) {\n\t\t\t$path.=DIRECTORY_SEPARATOR;\n\t\t}\n\t\t$this->paths[] = $path;\n\t}", "public function addPath(\\google\\privacy\\dlp\\v2beta1\\Key\\PathElement $value){\n return $this->_add(2, $value);\n }", "public function addPath(string $path): void\n\t{\n\t\t$path = realpath($path) ?: null;\n\n\t\tif ($path === null)\n\t\t\tthrow new InternationalizationException('The given path does not exist.', InternationalizationException::ERR_INVALID_PATH);\n\n\t\t$this->paths[] = $path;\n\t}", "public function addPath(string $path, ?string $namespace = null) : void;", "public function addPath(string $path, string $namespace): void;", "public function appendPath($path);", "public function addPath(string $namespace, ?string $path = null): void;", "public function add(string $path, $value): self\n {\n $this->dataCollector->add($path, $value);\n\n return $this;\n }", "public function addPath(string $namespace, string $path = null):void;", "public function add($path)\n\t{\n\t\t$this->paths[$path] = $path;\n\t\treturn $this;\n\t}", "public function addPath($path)\n\t{\t\n\t\t$path = realpath($path);\n\t\tif (!$path) return $this;\n\n\t\tif (!$this->_init) $this->init();\n\n\t\t$this->_paths[$path] = $path;\n\t\t\n\t\t$this->_classes = array_merge($this->_classes,$this->getClasses($path));\n\t\t\n\t\treturn $this;\n\t}", "public function addPathElement($path, $reset = false)\n {\n $elements = array();\n $path = ltrim($path, '/');\n if (strpos($path, '/') !== false) {\n $elements = explode('/', $path);\n } else {\n $elements[] = $path;\n }\n if ($reset) {\n $this->path = $elements;\n } elseif (!empty($this->path)) {\n $this->path = array_merge($this->path, $elements);\n } else {\n $this->path = $elements;\n }\n return $this;\n }", "public function addPath($path)\n {\n $this->paths[] = $path;\n\n return true;\n }", "public function add_path($template_path) {\n parent::add_path($template_path);\n $this->_template->setPath('template', array($template_path, SHARED_VIEWS_PATH));\n }", "public function addFile($path);", "public function addPath(string $path, string $namespace = null): void\n {\n $this->template->addTemplateDir($path);\n }", "public function addConfigPath($path) {\n\t\t$this->sanitizePath($path);\n\t\t$this->configPath[md5($path)] = $path;\n\t}", "static public function add_path($var,$path,$prepend_base = true) {\n $f3 = Base::instance();\n if ($f3->exists($var)) {\n $inc = $f3->get($var);\n } else {\n $inc = [];\n }\n if (!is_array($path)) $path = [ $path ];\n $base = $prepend_base ? $f3->get('BASE') : '';\n foreach ($path as $p) {\n $inc[$base.$p] = $base.$p;\n }\n $f3->set($var,$inc);\n }", "protected function addLocation($path)\n {\n view()->addLocation($path);\n view()->addNamespace('theme', $path);\n }", "public function path($path){\r\n\t\t$this->path = $path;\r\n\t}", "public function addPath($path, $namespace = '', $prepend = FALSE) {\n if ($prepend === TRUE) {\n return $this->prependPath($path, $namespace);\n } else {\n if (!empty($namespace)) {\n $path = array (\n $path, str_replace('_', '/', $namespace)\n );\n } \n $this->paths []= $path;\n }\n return $this;\n }" ]
[ "0.73957527", "0.73957527", "0.73957527", "0.6756116", "0.6682748", "0.65415007", "0.6456526", "0.63978535", "0.6391131", "0.63258135", "0.61644316", "0.61501247", "0.61475235", "0.6141486", "0.61327636", "0.6104728", "0.6079759", "0.6078454", "0.6069336", "0.5989879", "0.59387773", "0.5934929", "0.5852846", "0.582174", "0.5798554", "0.5797968", "0.5782901", "0.5770289", "0.5741568", "0.56962436" ]
0.7553709
0
/ Get user_access_sub_menu by id
function get_user_access_sub_menu($id) { return $this->db->get_where('user_access_sub_menu', array('id' => $id))->row_array(); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function get_user_sub_menu($id)\n {\n return $this->db->get_where('user_sub_menu',array('id'=>$id))->row_array();\n }", "function get_all_user_access_sub_menu($user_id)\n {\n // $this->db->select('*,user_access_sub_menu.id as \"id\"'); \n $this->db->join('user_sub_menu', 'user_sub_menu.id=user_access_sub_menu.sub_menu_id');\n $this->db->order_by('by','ASC');\n return $this->db->get_where('user_access_sub_menu', array('user_id' => $user_id, 'is_active' => 1))->result_array();\n }", "function getSubMenu()\n\t{\n\t\t$cname = $this->router->fetch_class();\n\t\t$mname = $this->router->fetch_method();\n\t\t$url = $cname.'/'.$mname;\n\t\t$rid = $this->session->userdata('current_user')[0]->role_id;\n\t\tif($rid)\n\t\t{\n\t\t\t$menu = $this->Menu_model->getSubMenu($rid);\n\t\t\treturn $menu;\n\t\t}\n\t\telse\n\t\t{\n\t\t\tredirect('Login');\n\t\t}\n\t}", "function delete_user_access_sub_menu($id)\n {\n return $this->db->delete('user_access_sub_menu', array('id' => $id));\n }", "function get_subadmin($id)\n\t{\n\t $this->db->from('admin');\n\t $this->db->where(\"id\", $id);\n $query = $this->db->get();\n $result= $query->result();\n return $result;\n\t}", "public function getMyMenu(){\r\n\t\t$me = $this->getMyInfo();\r\n\t\t\r\n\t\t$username = $me['username'];\r\n\t\t\r\n\t\t$obj = new m_user_access();\r\n\t\t$data = $obj->getListForUser($username);\r\n\r\n\t\t$data2 = array();\r\n\t\tfor($i=0;$i<count($data);$i++){\r\n\t\t\tif($data[$i]['ismenu']==1){\r\n\t\t\t\tif($data[$i]['checked']==true || $data[$i]['checked']=='true' || $data[$i]['checked']==1){\r\n\t\t\t\t\t$data[$i]['type'] = 'menu';\r\n\t\t\t\t\t$data2[] = $data[$i];\r\n\t\t\t\t}\r\n\t\t\t}\r\n\t\t}\r\n\r\n\t\t$data = $this->t->getTreeData(null,$data2);\r\n\t\tfor($i=0;$i<count($data);$i++){\r\n\t\t\t//How many subjects do this user participate in?\r\n\t\t\tif($data[$i]['id_level']=='11'){\r\n\t\t\t\t$obj = new m_subject();\r\n\t\t\t\t$data_ = $obj->getListForUser($username);\r\n\r\n\t\t\t\tif(count($data_)>0){\r\n\t\t\t\t\t$data__ = array();\r\n\t\t\t\t\tfor($ii=0;$ii<count($data_);$ii++){\r\n\t\t\t\t\t\t$data_[$ii]['type'] = 'subject';\r\n\t\t\t\t\t\t$data_[$ii]['id_level_s'] = $data_[$ii]['id_level'];\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\t$data_[$ii]['id_level'] = '11'.$data_[$ii]['id_level'];\r\n\t\t\t\t\t\tif($data_[$ii]['checked']==1){\r\n\t\t\t\t\t\t\t$data_[$ii]['ismenu'] = 1;\r\n\t\t\t\t\t\t\t$data__[] = $data_[$ii];\r\n\t\t\t\t\t\t}\r\n\t\t\t\t\t}\r\n\t\t\t\t\t$subject = $this->t->getTreeData('11',$data__);\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t$arr = array();\r\n\t\t\t\t\tif(isset($data[$i]['children']) && count($data[$i]['children'])>0){\r\n\t\t\t\t\t\t$arr = $data[$i]['children'];\r\n\t\t\t\t\t}\r\n\t\t\t\t\t$data[$i]['children'] = $subject;\r\n\r\n\t\t\t\t\tif(count($arr)>0){\r\n\t\t\t\t\t\t$data[$i]['children'][] = array('text'=>'slide');\r\n\t\t\t\t\t\tfor($ii=0;$ii<count($arr);$ii++){\r\n\t\t\t\t\t\t\t$data[$i]['children'][] = $arr[$ii];\r\n\t\t\t\t\t\t}\r\n\t\t\t\t\t}\r\n\t\t\t\t}\r\n\t\t\t}\r\n\t\t\t\r\n\t\t\t//How many groups do this user in?\r\n\t\t\tif($data[$i]['id_level']=='13'){\t\t\t\t\r\n\t\t\t\t$obj = new m_user_group();\r\n\t\t\t\t$data_ = $obj->getListForUser($username);\r\n\t\t\t\tif(count($data_)>0){\r\n\t\t\t\t\t$data__ = array();\r\n\t\t\t\t\tfor($ii=0;$ii<count($data_);$ii++){\r\n\t\t\t\t\t\t$data_[$ii]['type'] = 'group';\r\n\t\t\t\t\t\t$data_[$ii]['icon'] = 'groups';\r\n\t\t\t\t\t\t$data_[$ii]['isshortcut'] = '0';\r\n\t\t\t\t\t\t$data_[$ii]['isquickstart'] = '0';\r\n\t\t\t\t\t\t$data_[$ii]['description'] = '0';\r\n\t\t\t\t\t\t$data_[$ii]['id_level_g'] = $data_[$ii]['id_level'];\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\t//User group's menu id will be '11' sub group id.\r\n\t\t\t\t\t\t$data_[$ii]['id_level'] = '13'.$data_[$ii]['id_level'];\r\n\t\t\t\t\t\tif($data_[$ii]['checked']==1){\r\n\t\t\t\t\t\t\t$data_[$ii]['ismenu'] = 1;\r\n\t\t\t\t\t\t\t$data__[] = $data_[$ii];\r\n\t\t\t\t\t\t}\r\n\t\t\t\t\t}\r\n\t\t\t\t\t$subject = $this->t->getTreeData('13',$data__);\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t$arr = array();\r\n\t\t\t\t\tif(isset($data[$i]['children']) && count($data[$i]['children'])>0){\r\n\t\t\t\t\t\t$arr = $data[$i]['children'];\r\n\t\t\t\t\t}\r\n\t\t\t\t\t$data[$i]['children'] = $subject;\r\n\r\n\t\t\t\t\tif(count($arr)>0){\r\n\t\t\t\t\t\t$data[$i]['children'][] = array('text'=>'slide');\r\n\t\t\t\t\t\tfor($ii=0;$ii<count($arr);$ii++){\r\n\t\t\t\t\t\t\t$data[$i]['children'][] = $arr[$ii];\r\n\t\t\t\t\t\t}\r\n\t\t\t\t\t}\r\n\t\t\t\t}\r\n\t\t\t}\r\n\t\t}\r\n\t\treturn $data;\r\n\t}", "function get_level_access ( $user_id )\n\t{\n\t\tglobal $db;\n\t\t$row = $db->getRow ( 'SELECT Level_access FROM ' . DBPREFIX . 'users WHERE ID = ' . $db->qstr ( $user_id ) );\n\t\treturn $row->Level_access;\n\t}", "function find_users_access_level($id) {\n $q = $this->nifty_query(\"SELECT access_level FROM users WHERE id = '$id'\");\n return $q[0];\n }", "function update_user_access_sub_menu($id, $params)\n {\n $this->db->where('id', $id);\n return $this->db->update('user_access_sub_menu', $params);\n }", "function menuDash($id){\n //Construimos la consulta\n $sql=\"SELECT menu, admin from users WHERE id_user=\".$id;\n //Realizamos la consulta\n $resultado=$this->realizarConsulta($sql);\n if($resultado!=false){\n if($resultado!=false){\n return $resultado->fetch_assoc();\n }else{\n return null;\n }\n }else{\n return null;\n }\n }", "public static function getAuthorisedPrivileges($role_id,$userId){\n $root = getenv('BASE_URL').'/COVID/public/' ?: 'localhost/';\n $result = \"\";\n /*select allowed privileges for the user */\n $privileges= DB::select(DB::raw(\"SELECT * from privileges WHERE privileges.state=1 AND\n privileges.privilege_id IN ( SELECT roles_has_privileges.privilege_id FROM roles_has_privileges\n WHERE roles_has_privileges.role_id=$role_id)AND privileges.privilege_id NOT IN\n (SELECT revoke_privileges.privilege_id FROM revoke_privileges WHERE revoke_privileges.user_id=$userId AND revoke_privileges.state=1)\n ORDER BY privileges.privilege_id ASC\n \"));\n /*select allowed Sub privileges */\n $sub_priv = DB::select(DB::raw(\"Select * From sub_privileges WHERE sub_privileges.state=1 AND sub_privileges.privilege_id IN\n (SELECT roles_has_privileges.privilege_id from roles_has_privileges WHERE roles_has_privileges.role_id=$role_id)\n AND sub_privileges.privilege_id NOT IN (SELECT revoke_sub.sub_privilege_id FROM revoke_sub\n WHERE revoke_sub.user_id=$userId)\n \"));\n /*result holds the privileges and sub privileges allowed for a given user*/\n foreach($privileges as $row){\n $result .=\"<li id='priv_$row->privilege_id'>\n <a href='#'><i class='fa fa-folder'></i>$row->name<span class='fa arrow'></span></a>\n <ul class='nav nav-second-level'>\";\n foreach($sub_priv as $row1){\n if($row1->privilege_id == $row->privilege_id){\n $result .=\"<li >\n <a href='\".$root.$row1->action.\"' id='subpriv_$row1->sub_privilege_id' >\n <i class='fa fa-file'></i>$row1->name\n </a>\n </li>\";\n }\n }\n $result .=\"</ul>\n </li>\";\n }\n return $result;\n }", "function get_all_user_sub_menu()\n {\n $this->db->order_by('id', 'desc');\n return $this->db->get('user_sub_menu')->result_array();\n }", "public function getAccountUserMenuList($id)\n {\n $MenuList = $this->em->getRepository('CorporateBundle:CorpoAccountPermission')->getAccountUserMenuList($id);\n return $MenuList;\n }", "public function getSubMenu()\n {\n $query = $this->table($this->table)->select('user_sub_menu.id,user_sub_menu.menu_id,user_sub_menu.sub_menu,menu,url,user_sub_menu.icon,is_active')->join('user_menu', 'user_sub_menu.menu_id = user_menu.id')->get()->getResultArray();\n\n return $query;\n }", "function delete_user_sub_menu($id)\n {\n return $this->db->delete('user_sub_menu',array('id'=>$id));\n }", "function gnavi_get_submenu( $mydirname ){\n\tglobal $xoopsDB , $xoopsUser , $gnavi_catonsubmenu ,$gnavi_usevote, $table_cat ,\n\t\t\t\t$gnavi_usegooglemap,$gnavi_indexpage ;\n\t$constpref = '_MI_' . strtoupper( $mydirname ) ;\n\t$subcount = 1 ;\n\n\tstatic $submenus_cache ;\n\n\tinclude dirname( __FILE__ ) . '/get_perms.php' ;\n\tif( isset( $gnavi_usegooglemap ) && $gnavi_usegooglemap ) {\n\t\tif( isset( $gnavi_indexpage ) && $gnavi_indexpage == 'map' ) {\n\t\t\t$modversion['sub'][$subcount]['name'] = constant($constpref.'_TEXT_SMNAME6');\n\t\t\t$sub[$subcount++]['url'] = \"index.php?page=category\";\n\t\t}else{\n\t\t\t$sub[$subcount]['name'] = constant($constpref.'_TEXT_SMNAME5');\n\t\t\t$sub[$subcount++]['url'] = \"index.php?page=map\";\n\t\t}\n\t}\n\tif( isset( $gnavi_catonsubmenu ) && $gnavi_catonsubmenu ) {\n\t\t$crs = $xoopsDB->query( \"SELECT cid, title FROM $table_cat WHERE pid=0 ORDER BY weight,title\") ;\n\t\tif( $crs !== false ) {\n\t\t while( list( $cid , $title ) = $xoopsDB->fetchRow( $crs ) ) {\n\t\t\t$sub[$subcount]['name'] = \"$title\" ;\n\t\t\t$sub[$subcount++]['url'] = \"index.php?cid=$cid\" ;\n\t\t }\n\t\t}\n\t}\n\tif( $global_perms & 1 ) {\t// GNAV_GPERM_INSERTABLE\n\t\t$sub[$subcount]['name'] = constant($constpref.'_TEXT_SMNAME1');\n\t\t$sub[$subcount++]['url'] = \"index.php?page=submit\";\n\t\tif($xoopsUser){\n\t\t\t$sub[$subcount]['name'] = constant($constpref.'_TEXT_SMNAME4');\n\t\t\t$sub[$subcount++]['url'] = \"index.php?uid=-1\";\n\t\t}\n\t}\n\t$sub[$subcount]['name'] = constant($constpref.'_TEXT_SMNAME2');\n\t$sub[$subcount++]['url'] = \"index.php?page=topten&amp;hit=1\";\n\tif( $global_perms & 256 ) {\t// GNAV_GPERM_RATEVIEW\n\t\tif( isset( $gnavi_usevote ) && $gnavi_usevote ) {\n\t\t\t$sub[$subcount]['name'] = constant($constpref.'_TEXT_SMNAME3');\n\t\t\t$sub[$subcount++]['url'] = \"index.php?page=topten&amp;rate=1\";\n\t\t}\n\t}\n\n\t$submenus_cache[$mydirname] = $sub ;\n\treturn $submenus_cache[$mydirname] ;\n\n}", "function getMenu($id){\n\tinclude(\"config/DBcon.php\");\n\t$ret_value = array();\n\t\n\t$sql = \"SELECT * FROM tbl_access WHERE ACUSERIY = '\".$id.\"' AND ACACTV = '1'\";\n\t$exc = mysqli_query($con,$sql);\n\tif($exc){\n\t\t$num = mysqli_num_rows($exc);\n\t\tif($num > 0){\n\t\t\t$res[\"sts\"] = \"success\";\n\t\t\t$res[\"msg\"] = \"Success fetch data\";\n\t\t\t\n\t\t\t$sqlP = \"SELECT * FROM tbl_access LEFT JOIN tbl_menu ON MEMENUIY = ACMENUIY WHERE ACUSERIY = '\".$id.\"' AND METYPE = 'parent' AND MEACTV = '1' \";\n\t\t\t$sqlP .= \"AND ACACTV = '1' ORDER BY MESORT\";\n\t\t\t$excP = mysqli_query($con,$sqlP);\n\t\t\tif($excP){\n\t\t\t\t$i = 0;\n\t\t\t\twhile($dtaP = mysqli_fetch_array($excP)){\n\t\t\t\t\t$dat[\"menu\"][\"pMenuId\"] = $dtaP[\"MEMENUIY\"];\n\t\t\t\t\t$dat[\"menu\"][\"pMenuCode\"] = $dtaP[\"MECODE\"];\n\t\t\t\t\t$dat[\"menu\"][\"pMenuName\"] = $dtaP[\"MENAME\"];\n\t\t\t\t\t$dat[\"menu\"][\"pMenuLink\"] = $dtaP[\"MELINK\"];\n\t\t\t\t\t$res[\"menu\"][$i][] = $dat[\"menu\"];\n\t\t\t\t\t\n\t\t\t\t\t$sqlS = \"SELECT * FROM tbl_access LEFT JOIN tbl_menu ON MEMENUIY = ACMENUIY WHERE ACUSERIY = '\".$id.\"' AND METYPE = 'child' \";\n\t\t\t\t\t$sqlS .= \"AND MEMNPRIY = '\".$dtaP[\"MEMENUIY\"].\"' AND MEACTV = '1' AND ACACTV = '1' ORDER BY MESORT\";\n\t\t\t\t\t$excS = mysqli_query($con,$sqlS);\n\t\t\t\t\tif($excS){\n\t\t\t\t\t\twhile($dtaS = mysqli_fetch_array($excS)){\n\t\t\t\t\t\t\t$dat[\"submenu\"][\"sMenuId\"] = $dtaS[\"MEMENUIY\"];\n\t\t\t\t\t\t\t$dat[\"submenu\"][\"sMenuCode\"] = $dtaS[\"MECODE\"];\n\t\t\t\t\t\t\t$dat[\"submenu\"][\"sMenuPrId\"] = $dtaS[\"MEMNPRIY\"];\n\t\t\t\t\t\t\t$dat[\"submenu\"][\"sMenuName\"] = $dtaS[\"MENAME\"];\n\t\t\t\t\t\t\t$dat[\"submenu\"][\"sMenuLink\"] = $dtaS[\"MELINK\"];\n\t\t\t\t\t\t\t$res[\"menu\"][$i][\"child\"][] = $dat[\"submenu\"];\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t\telse{\n\t\t\t\t\t\t$res[\"sts\"] = \"error\";\n\t\t\t\t\t\t$res[\"msg\"] = \"Can`t fetch data \".mysqli_error($con);\n\t\t\t\t\t}\n\t\t\t\t\t$i++;\n\t\t\t\t}\n\t\t\t}\n\t\t\telse{\n\t\t\t\t$res[\"sts\"] = \"error\";\n\t\t\t\t$res[\"msg\"] = \"Can`t fetch data \".mysqli_error($con);\n\t\t\t}\n\t\t}\n\t\telse{\n\t\t\t$res[\"sts\"] = \"error\";\n\t\t\t$res[\"msg\"] = \"Authentication Required !\";\n\t\t}\n\t}\n\telse{\n\t\t$res[\"sts\"] = \"error\";\n\t\t$res[\"msg\"] = \"Can`t fetch data \".mysqli_error($con);\n\t}\n\treturn json_encode($res);\n}", "function getModuleUser($id)\n {\n global $db;\n $db->SetFetchMode(ADODB_FETCH_ASSOC); \n \n $sql = \" select m.parent, m.name from user_module u, module_item m where u.userId = $id\";\n $sql.= \" and u.moduleId = m.moduleId group by m.parent \"; \n \t$info = $db->execute($sql);\n $parents = $info->GetRows();\n $menu = array();\n for ($i=0; $i<count($parents); $i++)\n {\n \n $cate = \" select * from module_item where moduleId = \".$parents[$i][\"parent\"];\n $info = $db->execute($cate);\n \n $menu[$i][\"categoria\"] = $info->fields[\"name\"];\n \n $sql = \" select m.*, u.itemId from user_module u, module_item m where u.userId = $id\";\n $sql.= \" and u.moduleId = m.moduleId and m.parent = \".$parents[$i][\"parent\"].\" order by m.position \";\n \n $info = $db->execute($sql);\n $sub = $info->GetRows();\n $menu[$i][\"sub\"] = $sub;\n } \n return $menu; \n }", "public function view_submenu($id='') //this is use for edit records start\n\t{\n \t\t$data['page'] = 'Sub Menu';\n\t\t\t$data['ckeditor']=false;\n\t\t\t$data['gridTable']=false;\n\t\t\t$data['pagetitle']='Manage'.' '.$data['page'].'s';\n\t\t\t$arr['sub_menus']=$this->sub_menu->view_submenu($id);\n\t\t\t$this->load->view('admin/controls/vwHeader');\n\t\t\t$this->load->view('admin/controls/vwLeft',$data);\n\t\t\n\t\t\t$this->load->view('admin/vwViewSubMenu.php',$arr);\n\t\t\t$this->load->view('admin/controls/vwFooter');\n\t\t\t$this->load->view('admin/controls/vwFooterJavascript');\n\t\t\n }", "public function getMenuChild($id){\n \t\t$listmenu = $this->where('parentid','=',$id)\n \t\t->get();\n \t\treturn $listmenu;\n \t}", "public static function getSubMenu ($sub) {\n return (self::getMenuFromFile($sub));\n }", "function GetMenu()\n {\n $sql = \"select menu.* from menu, privileges where menu.id_menu = privileges.id_menu and privileges.id_role = \".$this->session->userdata('role').\"\";\n $query = $this->db->query($sql);\n return $query->result_object();\n }", "private function checkUserPrivMenu($level,$idArea=NULL,$idSubarea=NULL)\n {\t\t\n\t\n $polUser=false;\n $mode=CT_PP_BLOCK_ACCESS;\n $currArea=NULL;\n $this->userCode = SHIN_Core::$_libs['auth']->user->idUser;\n \n switch($level){\n case CT_AREA: $table='sys_policyarea';\n $idToCheck='idArea';\n\t\t\t\t $moreCheck='';\n $filter='';\n break;\n case CT_SUBAREA: $table='sys_policysubarea';\n $idParent='idArea';\n\t\t\t\t $idToCheck='idSubArea';\n\t\t\t\t $moreCheck=',idArea';\n $filter=\" AND idArea='\".$idArea.\"' \";\n break;\n case CT_APPLICATION: $table='sys_policyapplication';\n $idToCheck='idApplication';\n\t\t\t\t $moreCheck='';\n $filter=\" AND idArea='\".$idArea.\"' AND idSubArea='\".$idSubarea.\"' \";\n break; \n }\n \n\t\t$sql = \"SELECT idElem, type, \".$idToCheck.$moreCheck.\", mode FROM \".$table.\" WHERE (idElem='\".$this->userCode.\"' OR idElem IN ('\".$this->userRoles.\"')) \".$filter.\" ORDER BY \".$idToCheck;\n\t\t$query = SHIN_Core::$_db[SHIN_Core::$_shdb->active_group]->query($sql);\n $rows = $query->num_rows();\n\t\t\n\t\tforeach ($query->result_array() as $row)\n\t\t{\n if ($currArea!=$row[$idToCheck]) {\n\t\t\t\t$currArea=$row[$idToCheck];\n\t\t\t\t$polUser=false;\n\t\t\t}\n\n\t\t\tswitch($level)\n\t\t\t{\n\t\t\t\tcase CT_APPLICATION:\n\t\t\t\tcase CT_AREA:\n\t\t\t\t\n\t\t\t\t\tif ($row['type']==CT_USER) {\n\t\t\t\t\t\t$this->menuPolicy[$level][$row[$idToCheck]]=$row['mode'];\n\t\t\t\t\t\t$polUser=true;\n\t\t\t\t\t} else { \n\t\t\t\n\t\t\t\t\t\tif (!$polUser) {\n\t\t\t\t\t\t\tif (isset($this->menuPolicy[$level][$row[$idToCheck]])) {\n\t\t\t\t\t\t\t\t$this->menuPolicy[$level][$row[$idToCheck]]=$this->SetMode($row['mode'],$this->menuPolicy[$level][$row[$idToCheck]]);\n\t\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\t\t$this->menuPolicy[$level][$row[$idToCheck]]=$row['mode'];\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\t\n\t\t\t\tbreak;\n\t\t\t\t\n\t\t\t\tcase CT_SUBAREA:\n\t\t\t\t\n\t\t\t\t\tif ($row['type']==CT_USER) {\n\t\t\t\t\t\t$this->menuPolicy[$level][$row[$idParent]][$row[$idToCheck]]=$row['mode'];\n\t\t\t\t\t\t$polUser=true;\n\t\t\t\t\t} else { \n\t\t\t\n\t\t\t\t\t\tif (!$polUser) {\n\t\t\t\t\t\t\tif (isset($this->menuPolicy[$level][$row[$idToCheck]])) {\n\t\t\t\t\t\t\t\t//$this->menuPolicy[$level][$row[$idParent]][$row[$idToCheck]]\n\t\t\t\t\t\t\t\t$this->menuPolicy[$level][$row[$idParent]][$row[$idToCheck]]=$this->SetMode($row['mode'],$this->menuPolicy[$level][$row[$idParent]][$row[$idToCheck]]);\n\t\t\t\t\t\t\t} else {\n\t\t\t\t\t\t\t\t$this->menuPolicy[$level][$row[$idParent]][$row[$idToCheck]]=$row['mode'];\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t}\n\t\t\t\tbreak;\n\t\t\t} // switch\n\t\t}\n\n\t}", "function getMenu($otmp_user) {\n $result = $otmp_user->SelectRecord(array('us_menu'), array('us_id' => $_SESSION['us_id']), MYSQL_ASSOC, false);\n\n if ($result) {\n return $result['us_menu'];\n } else {\n return \"\";\n }\n}", "function get_subcategoria($id){\t\n\t\t$sql=\"SELECT nombre_sub FROM subcategoria WHERE id_sub='$id'\";\n\t\t$consulta=mysql_query($sql) or die(mysql_error());\n\t\t$resultado=mysql_fetch_array($consulta);\n\n\t\treturn $resultado['nombre_sub'];\n\t}", "function get_subcategoria($id){\t\n\t\t$sql=\"SELECT nombre_sub FROM subcategoria WHERE id_sub='$id'\";\n\t\t$consulta=mysql_query($sql) or die(mysql_error());\n\t\t$resultado=mysql_fetch_array($consulta);\n\n\t\treturn $resultado['nombre_sub'];\n\t}", "function add_user_access_sub_menu($params)\n {\n $this->db->insert('user_access_sub_menu', $params);\n return $this->db->insert_id();\n }", "function get_by_id($id)\n {\n\t\t$afield=array(\n\t\t $this->table.'.'.'id',\n\t\t $this->table.'.'.'id_level',\n\t\t $this->table.'.'.'id_menu',\n\t\t);\n\t$this->db->select($afield);\n\t$this->db->where($this->table.'.'.$this->id, $id);\n return $this->db->get($this->table)->row();\n }", "function checkMenuIdExist($level_id){\n\t\t\n\t\t $sql = \"SELECT user_access_id,access_level_id\n FROM user_access\n WHERE access_level_id = \" . $level_id . \" \n \"; \n \n\t\t\t$query = $this->db->query($sql);\n\n if ($query->num_rows()) \n { \n\t\t\t\t$rws = $query->row_array();\n\t\t\t\treturn $rws;\n\t\t\t}\t\n else\n\t\t\t{ \n\t\t\t\treturn \"0\";\n\t\t\t}\n\t\t\t\n\t}", "public function getsubcatById($id){\n\t \t $query =\"SELECT * FROM tbl_columnistprofile WHERE columnistProfile_id = '$id'\";\n\t \t $result = $this->db->select($query);\n\t \t return $result;\n\t }" ]
[ "0.8326125", "0.76078916", "0.7177763", "0.7164784", "0.68623465", "0.6779735", "0.67424643", "0.6716925", "0.6666506", "0.65463513", "0.6538504", "0.6508062", "0.6496196", "0.643458", "0.6384308", "0.6374043", "0.6361298", "0.63528675", "0.63414556", "0.63318306", "0.63054824", "0.62979", "0.62729293", "0.62640804", "0.6262063", "0.6262063", "0.6242102", "0.6216185", "0.62147385", "0.6213576" ]
0.88585544
0
/ Get all user_access_sub_menu
function get_all_user_access_sub_menu($user_id) { // $this->db->select('*,user_access_sub_menu.id as "id"'); $this->db->join('user_sub_menu', 'user_sub_menu.id=user_access_sub_menu.sub_menu_id'); $this->db->order_by('by','ASC'); return $this->db->get_where('user_access_sub_menu', array('user_id' => $user_id, 'is_active' => 1))->result_array(); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function get_user_access_sub_menu($id)\n {\n return $this->db->get_where('user_access_sub_menu', array('id' => $id))->row_array();\n }", "function get_all_user_sub_menu()\n {\n $this->db->order_by('id', 'desc');\n return $this->db->get('user_sub_menu')->result_array();\n }", "function get_user_sub_menu($id)\n {\n return $this->db->get_where('user_sub_menu',array('id'=>$id))->row_array();\n }", "public function getAll()\n\t{\n\t\t// return $this->db->get($this->_table)->result_array();\n\t\t// join table tb_user dan tb_role\n\n\t\t$query = \"SELECT `tb_sub_menu` .*, `tb_role`.`name_role`\n\t\t\t\tFROM `tb_sub_menu` JOIN `tb_role` \n\t\t\t\tON `tb_sub_menu`.`menu_id` = `tb_role`. `id`\";\n\t\treturn $this->db->query($query)->result_array();\n\t}", "public function getSubMenu()\n {\n $query = $this->table($this->table)->select('user_sub_menu.id,user_sub_menu.menu_id,user_sub_menu.sub_menu,menu,url,user_sub_menu.icon,is_active')->join('user_menu', 'user_sub_menu.menu_id = user_menu.id')->get()->getResultArray();\n\n return $query;\n }", "public function getMyMenu(){\r\n\t\t$me = $this->getMyInfo();\r\n\t\t\r\n\t\t$username = $me['username'];\r\n\t\t\r\n\t\t$obj = new m_user_access();\r\n\t\t$data = $obj->getListForUser($username);\r\n\r\n\t\t$data2 = array();\r\n\t\tfor($i=0;$i<count($data);$i++){\r\n\t\t\tif($data[$i]['ismenu']==1){\r\n\t\t\t\tif($data[$i]['checked']==true || $data[$i]['checked']=='true' || $data[$i]['checked']==1){\r\n\t\t\t\t\t$data[$i]['type'] = 'menu';\r\n\t\t\t\t\t$data2[] = $data[$i];\r\n\t\t\t\t}\r\n\t\t\t}\r\n\t\t}\r\n\r\n\t\t$data = $this->t->getTreeData(null,$data2);\r\n\t\tfor($i=0;$i<count($data);$i++){\r\n\t\t\t//How many subjects do this user participate in?\r\n\t\t\tif($data[$i]['id_level']=='11'){\r\n\t\t\t\t$obj = new m_subject();\r\n\t\t\t\t$data_ = $obj->getListForUser($username);\r\n\r\n\t\t\t\tif(count($data_)>0){\r\n\t\t\t\t\t$data__ = array();\r\n\t\t\t\t\tfor($ii=0;$ii<count($data_);$ii++){\r\n\t\t\t\t\t\t$data_[$ii]['type'] = 'subject';\r\n\t\t\t\t\t\t$data_[$ii]['id_level_s'] = $data_[$ii]['id_level'];\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\t$data_[$ii]['id_level'] = '11'.$data_[$ii]['id_level'];\r\n\t\t\t\t\t\tif($data_[$ii]['checked']==1){\r\n\t\t\t\t\t\t\t$data_[$ii]['ismenu'] = 1;\r\n\t\t\t\t\t\t\t$data__[] = $data_[$ii];\r\n\t\t\t\t\t\t}\r\n\t\t\t\t\t}\r\n\t\t\t\t\t$subject = $this->t->getTreeData('11',$data__);\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t$arr = array();\r\n\t\t\t\t\tif(isset($data[$i]['children']) && count($data[$i]['children'])>0){\r\n\t\t\t\t\t\t$arr = $data[$i]['children'];\r\n\t\t\t\t\t}\r\n\t\t\t\t\t$data[$i]['children'] = $subject;\r\n\r\n\t\t\t\t\tif(count($arr)>0){\r\n\t\t\t\t\t\t$data[$i]['children'][] = array('text'=>'slide');\r\n\t\t\t\t\t\tfor($ii=0;$ii<count($arr);$ii++){\r\n\t\t\t\t\t\t\t$data[$i]['children'][] = $arr[$ii];\r\n\t\t\t\t\t\t}\r\n\t\t\t\t\t}\r\n\t\t\t\t}\r\n\t\t\t}\r\n\t\t\t\r\n\t\t\t//How many groups do this user in?\r\n\t\t\tif($data[$i]['id_level']=='13'){\t\t\t\t\r\n\t\t\t\t$obj = new m_user_group();\r\n\t\t\t\t$data_ = $obj->getListForUser($username);\r\n\t\t\t\tif(count($data_)>0){\r\n\t\t\t\t\t$data__ = array();\r\n\t\t\t\t\tfor($ii=0;$ii<count($data_);$ii++){\r\n\t\t\t\t\t\t$data_[$ii]['type'] = 'group';\r\n\t\t\t\t\t\t$data_[$ii]['icon'] = 'groups';\r\n\t\t\t\t\t\t$data_[$ii]['isshortcut'] = '0';\r\n\t\t\t\t\t\t$data_[$ii]['isquickstart'] = '0';\r\n\t\t\t\t\t\t$data_[$ii]['description'] = '0';\r\n\t\t\t\t\t\t$data_[$ii]['id_level_g'] = $data_[$ii]['id_level'];\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\t//User group's menu id will be '11' sub group id.\r\n\t\t\t\t\t\t$data_[$ii]['id_level'] = '13'.$data_[$ii]['id_level'];\r\n\t\t\t\t\t\tif($data_[$ii]['checked']==1){\r\n\t\t\t\t\t\t\t$data_[$ii]['ismenu'] = 1;\r\n\t\t\t\t\t\t\t$data__[] = $data_[$ii];\r\n\t\t\t\t\t\t}\r\n\t\t\t\t\t}\r\n\t\t\t\t\t$subject = $this->t->getTreeData('13',$data__);\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t$arr = array();\r\n\t\t\t\t\tif(isset($data[$i]['children']) && count($data[$i]['children'])>0){\r\n\t\t\t\t\t\t$arr = $data[$i]['children'];\r\n\t\t\t\t\t}\r\n\t\t\t\t\t$data[$i]['children'] = $subject;\r\n\r\n\t\t\t\t\tif(count($arr)>0){\r\n\t\t\t\t\t\t$data[$i]['children'][] = array('text'=>'slide');\r\n\t\t\t\t\t\tfor($ii=0;$ii<count($arr);$ii++){\r\n\t\t\t\t\t\t\t$data[$i]['children'][] = $arr[$ii];\r\n\t\t\t\t\t\t}\r\n\t\t\t\t\t}\r\n\t\t\t\t}\r\n\t\t\t}\r\n\t\t}\r\n\t\treturn $data;\r\n\t}", "function getAllSubmenus()\r\n\t{\r\n\t\t $arrSubmenus = $this->Select('mm_submenu', \r\n\t\t\t\t\t\t\t\t\t\t\t'submenu_id, name', \r\n\t\t\t\t\t\t\t\t\t\t\t'');\r\n\r\n\t \tif ($this->hasError() || count($arrSubmenus) == 0 || $arrSubmenus[0]['mm_submenu.name']==null) {\r\n \t\t\t$ret_val = null;\r\n \t\t} else {\r\n\t\t\t\tfor ($i=0; $i<count($arrSubmenus); $i++) {\r\n\t\t\t\t\t$ret_val[$i]['name'] = $arrSubmenus[$i]['mm_submenu.name'];\r\n\t\t\t\t\t$ret_val[$i]['submenu_id'] = $arrSubmenus[$i]['mm_submenu.submenu_id'];\r\n\t\t\t\t}\r\n\t\t\t}\r\n\r\n \treturn ($ret_val);\r\n\t}", "public function menu() {\n\t\t$return = array(\n\t\t\t\t\t\t\"title\" => \"Users\", \n\t\t\t\t\t\t\"submenu\" => array(\n\t\t\t\t\t\t\t\t\t\t\"levels\" => \"Levels\", \n\t\t\t\t\t\t\t\t\t\t\"privileges\" => \"Privileges\", \n\t\t\t\t\t\t\t\t\t\t\"add\" => \"Add User\"\n\t\t\t\t\t\t\t\t\t)\n\t\t\t\t\t\t);\n\t\treturn $return;\n\t}", "function getSubMenu()\n\t{\n\t\t$cname = $this->router->fetch_class();\n\t\t$mname = $this->router->fetch_method();\n\t\t$url = $cname.'/'.$mname;\n\t\t$rid = $this->session->userdata('current_user')[0]->role_id;\n\t\tif($rid)\n\t\t{\n\t\t\t$menu = $this->Menu_model->getSubMenu($rid);\n\t\t\treturn $menu;\n\t\t}\n\t\telse\n\t\t{\n\t\t\tredirect('Login');\n\t\t}\n\t}", "public function get_menus(){\n\t\t//Funcion para obtener todos los usuarios\n\t\t$this->db->select('c.*');\n\t\t$this->db->from('menu c');\n\t\t$query=$this->db->get();\n\t\treturn $query->result_array();\n\t\t\n\t}", "public function getSubmenus():array {\r\n\t\treturn $this->submenus;\r\n\t}", "function gnavi_get_submenu( $mydirname ){\n\tglobal $xoopsDB , $xoopsUser , $gnavi_catonsubmenu ,$gnavi_usevote, $table_cat ,\n\t\t\t\t$gnavi_usegooglemap,$gnavi_indexpage ;\n\t$constpref = '_MI_' . strtoupper( $mydirname ) ;\n\t$subcount = 1 ;\n\n\tstatic $submenus_cache ;\n\n\tinclude dirname( __FILE__ ) . '/get_perms.php' ;\n\tif( isset( $gnavi_usegooglemap ) && $gnavi_usegooglemap ) {\n\t\tif( isset( $gnavi_indexpage ) && $gnavi_indexpage == 'map' ) {\n\t\t\t$modversion['sub'][$subcount]['name'] = constant($constpref.'_TEXT_SMNAME6');\n\t\t\t$sub[$subcount++]['url'] = \"index.php?page=category\";\n\t\t}else{\n\t\t\t$sub[$subcount]['name'] = constant($constpref.'_TEXT_SMNAME5');\n\t\t\t$sub[$subcount++]['url'] = \"index.php?page=map\";\n\t\t}\n\t}\n\tif( isset( $gnavi_catonsubmenu ) && $gnavi_catonsubmenu ) {\n\t\t$crs = $xoopsDB->query( \"SELECT cid, title FROM $table_cat WHERE pid=0 ORDER BY weight,title\") ;\n\t\tif( $crs !== false ) {\n\t\t while( list( $cid , $title ) = $xoopsDB->fetchRow( $crs ) ) {\n\t\t\t$sub[$subcount]['name'] = \"$title\" ;\n\t\t\t$sub[$subcount++]['url'] = \"index.php?cid=$cid\" ;\n\t\t }\n\t\t}\n\t}\n\tif( $global_perms & 1 ) {\t// GNAV_GPERM_INSERTABLE\n\t\t$sub[$subcount]['name'] = constant($constpref.'_TEXT_SMNAME1');\n\t\t$sub[$subcount++]['url'] = \"index.php?page=submit\";\n\t\tif($xoopsUser){\n\t\t\t$sub[$subcount]['name'] = constant($constpref.'_TEXT_SMNAME4');\n\t\t\t$sub[$subcount++]['url'] = \"index.php?uid=-1\";\n\t\t}\n\t}\n\t$sub[$subcount]['name'] = constant($constpref.'_TEXT_SMNAME2');\n\t$sub[$subcount++]['url'] = \"index.php?page=topten&amp;hit=1\";\n\tif( $global_perms & 256 ) {\t// GNAV_GPERM_RATEVIEW\n\t\tif( isset( $gnavi_usevote ) && $gnavi_usevote ) {\n\t\t\t$sub[$subcount]['name'] = constant($constpref.'_TEXT_SMNAME3');\n\t\t\t$sub[$subcount++]['url'] = \"index.php?page=topten&amp;rate=1\";\n\t\t}\n\t}\n\n\t$submenus_cache[$mydirname] = $sub ;\n\treturn $submenus_cache[$mydirname] ;\n\n}", "public function get_all_user_access($user_id){\n global $obj;\n \n }", "protected function listItems(){\n global $user;\n $output = array();\n\n if(drupal_valid_path('user/' . $user->uid)){\n $output[] = l('<i class=\"fa fa-user\"></i> Profile', 'user/' . $user->uid, array('html' => TRUE));\n }\n if(drupal_valid_path('user/' . $user->uid . '/edit')){\n $output[] = l('<i class=\"fa fa-edit\"></i> Settings', 'user/' . $user->uid . '/edit', array('html' => TRUE));\n }\n $output[] = l('<i class=\"fa fa-sign-out\"></i> Logout', 'user/logout', array('html' => TRUE));\n\n return $output;\n }", "public function hasMenuAccess()\n {\n $menus = array();\n if ($this->getUserId()) {\n \n $menus = $this->CI->acl_model->getUserMenu($this->getUserId());\n \n if(count($menus) == 0){ \n $menus = $this->CI->acl_model->getRoleMenu($this->getUserRoleId());\n } \n \n }\n \n return $menus;\n }", "public function getMenus() {\n $menu = [\n \"admin\" => [\n \"body_class\" => \"admin-menu\",\n \"acl\" => \"menuAdmin\",\n \"links\" => [\n \"home\" => [\n \"faicon\" => \"home\",\n \"href\" => \"\",\n ],\n \"logout\" => [\n \"faicon\" => \"sign-out\",\n \"href\" => \"user/logout\",\n \"return\" => true,\n ],\n \"settings\" => [\n \"faicon\" => \"cog\",\n \"href\" => \"user/settings\",\n ],\n \"user\" => [\n \"title\" => t(\"Users\"),\n \"href\" => \"user/list\",\n \"links\" => [\n \"user-add\" => [\n \"title\" => t(\"Add user\"),\n \"href\" => \"user/add\",\n ],\n ],\n ],\n \"content\" => [\n \"title\" => t(\"Content\"),\n \"href\" => \"content/list\",\n \"links\" => [\n \"content-add\" => [\n \"title\" => t(\"Add content\"),\n \"href\" => \"content/add\",\n ],\n ],\n ],\n \"system\" => [\n \"title\" => t(\"System\"),\n \"links\" => [\n \"alias\" => [\n \"title\" => t(\"Aliases\"),\n \"href\" => \"alias/list\",\n \"links\" => [\n \"alias-add\" => [\n \"title\" => t(\"Add alias\"),\n \"href\" => \"alias/add\",\n ],\n ],\n ],\n \"redirect\" => [\n \"title\" => t(\"Redirects\"),\n \"href\" => \"redirect/list\",\n \"links\" => [\n \"redirect-add\" => [\n \"title\" => t(\"Add redirect\"),\n \"href\" => \"redirect/add\",\n ],\n ],\n ],\n \"l10n\" => [\n \"title\" => t(\"Localization\"),\n \"href\" => \"l10n/list\",\n \"links\" => [\n \"scan\" => [\n \"title\" => t(\"Scan code\"),\n \"href\" => \"l10n/scan\",\n ],\n \"export\" => [\n \"title\" => t(\"Export\"),\n \"href\" => \"l10n/export\",\n ],\n \"import\" => [\n \"title\" => t(\"Import\"),\n \"href\" => \"l10n/import\",\n ],\n ],\n ],\n \"logs\" => [\n \"title\" => t(\"Logs\"),\n \"href\" => \"log/list\",\n ],\n \"cache\" => [\n \"title\" => t(\"Cache\"),\n \"href\" => \"cache/list\",\n \"links\" => [\n \"clear\" => [\n \"title\" => t(\"Clear all\"),\n \"href\" => \"cache/clear\",\n \"return\" => true,\n ],\n \"clear-data\" => [\n \"title\" => t(\"Clear data\"),\n \"href\" => \"cache/clear/data\",\n \"return\" => true,\n ],\n \"clear-images\" => [\n \"title\" => t(\"Clear images\"),\n \"href\" => \"cache/clear/images\",\n \"return\" => true,\n ],\n ],\n ],\n \"cron-run\" => [\n \"title\" => t(\"Run cron\"),\n \"href\" => \"cron\",\n \"return\" => true,\n ],\n \"user-clear-flood\" => [\n \"title\" => t(\"Clear login attempts\"),\n \"href\" => \"user/clear-flood\",\n ],\n ],\n ],\n ],\n ],\n ];\n return $menu;\n }", "public function getMenuItems()\n {\n $url = $this->urlHelper;\n $items = [];\n\n // Display \"Login\" menu item for not authorized user only. On the other hand,\n // display \"Admin\" and \"Logout\" menu items only for authorized users.\n if (!$this->authService->hasIdentity()) {\n $items[] = [\n 'id' => 'login',\n 'label' => 'Connexion',\n 'link' => $url('login')\n ];\n } else {\n\n //Récupère id de l'utilisateur connecté\n $id=$this->userManager->findByMail($this->authService->getIdentity())->_id;\n\n //Récupère le pseudo de l'utilisateur connecté\n $username=$this->userManager->findByMail($this->authService->getIdentity())->_username;\n \n $items[] = [\n 'id' => 'user',\n 'label' => 'Accueil',\n 'link' => $url('user'),\n ]; \n $items[] = [\n 'id' => 'listeserie',\n 'label' => 'Découvrir des séries',\n 'link' => $url('listeseries'),\n ];\n $items[] = [\n 'id' => 'stat',\n 'label' => 'Statistiques',\n 'link' => $url('stats')\n ];\n $items[] = [\n 'id' => 'logout',\n 'label' => $username,\n 'dropdown' => [\n [\n 'id' => 'profil',\n 'label' => 'Gestion du compte',\n 'link'=>$url('administration')\n ],\n [\n 'id' => 'logout',\n 'label' => 'Déconnexion',\n 'link' => $url('logout')\n ],\n\n ]\n ];\n }\n\n return $items;\n }", "public static function getAccessShortCut() {\t\n\t\t$db=self::__instance();\t\n\t\t$user_id=$_SESSION['user_info']['user_id'];\n\t\t$sql=\"select a.page_id from access a inner join users b \n\t\ton b.user_group=a.group_id \n\t\twhere b.user_id=\".$user_id;\n\t\t$result=$db->query($sql)->fetchAll();\n\t\t$ans=array();\n\t\tif($result){\n\t\t\t$data=$result;\n\t\t\tfor ($i=0;$i<count($data);$i++){\n\t\t\t\t$id=$data[$i];\n\t\t\t\t$where=array('id'=>$id);\n\t\t\t\t$page=$db->select('pages',array('url','page_name','icon'),$where);\n\t\t\t\tif($page){\n\t\t\t\t\t$ans[]=array();\n\t\t\t\t\t$ans[$i]['url']=$page[0]['url'];\n\t\t\t\t\t$ans[$i]['page_name']=$page[0]['page_name'];\n\t\t\t\t\t$ans[$i]['icon']=$page[0]['icon'];\n\t\t\t\t}\n\t\t\t\telse{\n\t\t\t\t\treturn false;\n\t\t\t\t}\n\t\t\t}\n\t\t\treturn $ans;\n\t\t}else{\n\t\t\treturn false;\n\t\t}\n\t}", "public function getMenu()\n {\n \n $menu = array();\n \n\n \n $auth = $this->session->get('auth');\n \n $email = $auth['email'];\n \n $user = Users::findFirstByemail($email);\n\n $security_groups = $user->SecurityGroup;\n\n $user_dashboards = array();\n\n foreach($security_groups as $security_group)\n {\n $dashboards = $security_group->Dashboard;\n $user_dashboards =array_merge ($user_dashboards,$dashboards->ToArray());\n }\n\n \n foreach($user_dashboards as $dashboard)\n { \n $newMenuLink = array (\n 'link' => \"/dashboards/\".$dashboard['type'].\"/render/\".$dashboard['id'].\"/dashboard\",\n 'title' => $dashboard['title'],\n 'icon' => $dashboard['icon'],\n 'selected' => 'false'\n );\n \n array_push($menu,$newMenuLink);\n }\n \n \n if ($auth) {\n\n if($auth['role']=='User')\n { \n foreach ($this->_userMenu as $controller => $option) {\n \n $newMenuLink = array (\n 'link' => '/'.$controller.'/'.$option['action'],\n 'title' => $option['caption'],\n 'icon' => $option['icon'],\n 'selected' => 'false'\n );\n \n array_push($menu,$newMenuLink);\n }\n \n }\n \n elseif($auth['role']=='Admin') \n {\n foreach ($this->_adminMenu as $controller => $option) {\n \n $newMenuLink = array (\n 'link' => '/'.$controller.'/'.$option['action'],\n 'title' => $option['caption'],\n 'icon' => $option['icon'],\n 'selected' => 'false'\n );\n \n array_push($menu,$newMenuLink);\n }\n }\n \n elseif($auth['role']=='Supervisor') \n {\n foreach ($this->_supervisorMenu as $controller => $option) {\n \n $newMenuLink = array (\n 'link' => '/'.$controller.'/'.$option['action'],\n 'title' => $option['caption'],\n 'icon' => $option['icon'],\n 'selected' => 'false'\n );\n \n array_push($menu,$newMenuLink);\n \n }\n }\n }\n \n \n \n \n \n \n return $menu;\n \n }", "public function getAccountUserMenuList($id)\n {\n $MenuList = $this->em->getRepository('CorporateBundle:CorpoAccountPermission')->getAccountUserMenuList($id);\n return $MenuList;\n }", "function list_user_levels(){\n\treturn array(\n\t\"Finance\" => \"Finance\",\n\t\"Registrar\" => \"Registrar\",\n\t\"Dean\" => \"Dean of Students\",\n\t\"System\" => \"System Admin\",\n\t\"Super\" => \"Super Administrator\");\n}", "function retrieve_menu () {\n\t\n\tglobal $menus;\n\n\t$array_tabs = array();\n\tforeach($menus[\"menutab\"] as $menutab) {\n\t\tarray_push($array_tabs, $menutab[\"name\"]);\n\t}\n\t\n\treturn $array_tabs;\n\t\n}", "private function listMenu(){\n $Level = $_SESSION[\"Level\"];\n// $Action = \"Read\";\n $FirstMenu = $this->accessService->getFirstLevel();\n include 'view/menu.php';\n }", "private function getMenuItems() {\n\t\t// TODO add check for user permission\n\t\t$stmt = $this->_db->mysqli->prepare(\"\nSELECT `p`.`id`, `name`, `parent`, `icon`, `url` FROM `plugins` `p`\nJOIN `rights` `r`\n ON `p`.`id` = `r`.`plugins_id`\nWHERE `visible` = 1 AND `r`.`groups_id` = :groups_id ORDER BY `sort`\");\n\t\t$stmt->bindParam(':groups_id', $_SESSION['user']['group'], PDO::PARAM_INT);\n\t\t$stmt->execute();\n\n\t\tif( $stmt->rowCount() >= 1 ) {\n\t\t\t$result = $stmt->fetchAll(PDO::FETCH_ASSOC);\n\t\t\t$stmt = null;\n\t\t\treturn $result;\n\t\t} else {\n\t\t\t$stmt = null;\n\t\t\treturn false;\n\t\t}\n\t}", "function getPermissionData($levelId){\n\t\t\n\t\t $sql = \"SELECT UAP.*\n FROM user_access as UA RIGHT JOIN \n\t\t\t\tuser_access_permission as UAP ON\n\t\t\t\tUA.user_access_id = UAP.user_access_id \n WHERE UA.access_level_id = \" . $levelId . \"\n \n \";\n\t\t\t\n\t\t\t$query = $this->db->query($sql);\n\n if ($query->num_rows() > 0)\n\t\t\t{\n\t\t\t\t$results_t = $query->result_array();\n\t\t\t\tforeach($results_t as $result){ \n\t\t\t\t\t$results[$result['menu_id']] = $result; \n\t\t\t\t}\n\t\t\t}\n\t\t\telse\n\t\t\t{\n\t\t\t\t$results = NULL;\n\t\t\t} \n\t\t\t \n\t\t\treturn $results;\n\t\t\n\t}", "public function menu_array() {\n\t\t$data = array();\n\t\tif ($this->auth->get_access()) {\n $results = $this->oci_roles->find_from('oci_menus', array('id' => $this->auth->role_id));\n foreach ($results as $menu) {\n $menu = (object)$menu;\n $data[] = array(\n 'parent' => $menu->parent,\n 'index' => $menu->index,\n 'uri' => $menu->uri,\n 'text' => t($menu->text),\n 'title' => t($menu->title),\n 'id_css' => $menu->id_css\n );\n }\n\t\t} else {\n\t\t\t$data[] = array(\n\t\t\t\t'parent' => 0,\n\t\t\t\t'index' => 0,\n\t\t\t\t'uri' => 'welcome',\n\t\t\t\t'text' => t('Home'),\n\t\t\t\t'title' => t('Home'),\n\t\t\t\t'id_css' => 'menu_home'\n\t\t\t);\n\t\t}\n sort($data);\n\t\treturn $data;\n\t}", "function CPT_get_menu_pages() {\n\treturn array(\n\t\t\t'manage_config' => CPT_access_has_level( array( 'manage_allprojects', 'manage_project' ) ),\n\t\t\t'manage_text' => CPT_access_has_level( array( 'edit_all', 'edit_own' ) ),\n\t\t\t'manage_preferences' => CPT_access_has_level( 'manage_configuration' )\n\t);\n}", "private function _getMenuData()\n {\n $oPage = CDependency::getCpPage();\n\n $sDataType = getValue('datatype', 'all');\n $sFilter = getValue('filter', 'all');\n\n $aMenu = array();\n\n if(!$this->_bIsAdmin)\n {\n //dump($this->_aUserData);\n //_live_dump($this->_aUserData['gbusertype']);\n switch($this->_aUserData['gbusertype'])\n {\n case 'student':\n $aMenu = $this->_getStudentMenu();\n break;\n case 'teacher':\n $aMenu = $this->_getTeacherMenu();\n break;\n case 'hrmanager':\n $aMenu = $this->_getHrManagerMenu();\n break;\n case 'gbadmin':\n $aMenu = $this->_getGbAdminMenu();\n break;\n }\n\n /*$sURL = $oPage->getUrl('196-001', CONST_ACTION_VIEW, 'help');\n $asURL = $oPage->getUrlDetail();\n if($asURL['query'] == 'uid=196-001&ppa=ppav&ppt=help&ppk=0')\n $sClass = 'selected';\n else\n $sClass = '';\n\n $aMenu['196-002_'.CONST_ACTION_VIEW.'_HELP'] = array(\n 'label' => 'Instructions',\n 'link' => $sURL,\n 'params' => array('class' => 'top icohelp '.$sClass)\n );*/\n\n $sSelect1 = $oPage->getUid().'_'.$oPage->getAction().'_'.$sDataType;\n $sSelect2 = $sSelect1.'_'.$oPage->getPk();\n $sSelect3 = $sSelect2.'_'.$sFilter;\n\n if (isset($aMenu[$sSelect3]))\n $aMenu[$sSelect3]['params']['class'].=' selected';\n else\n {\n if (isset($aMenu[$sSelect2]))\n $aMenu[$sSelect2]['params']['class'].=' selected';\n else\n {\n if (isset($aMenu[$sSelect1]))\n $aMenu[$sSelect1]['params']['class'].=' selected';\n }\n }\n\n }\n else\n {\n// TODO: Menu for admins\n }\n\n return $aMenu;\n }", "public function fetch_subadmin() \n\t{ \n $this->db->from('admin');\n $this->db->where(\"its_superadmin\", \"0\");\n $this->db->order_by(\"id\", \"DESC\");\n $query = $this->db->get();\n $result= $query->result();\n return $result;\n\t}", "public function getMenuItems(){\n return MenuItem::query()->where('parent_id', '=', null)->where('menuItem','=',true)->get();\n }" ]
[ "0.81457645", "0.779932", "0.74967176", "0.7177216", "0.7171101", "0.7073619", "0.6869209", "0.67320496", "0.67099905", "0.65952563", "0.65429044", "0.65036255", "0.6482954", "0.64767414", "0.6450943", "0.63688076", "0.6359017", "0.63517195", "0.6351645", "0.6347845", "0.6331399", "0.6233306", "0.6226244", "0.6190246", "0.6166222", "0.61461675", "0.6140021", "0.61289525", "0.61276174", "0.6111754" ]
0.81921345
0
/ function to add new user_access_sub_menu
function add_user_access_sub_menu($params) { $this->db->insert('user_access_sub_menu', $params); return $this->db->insert_id(); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function sitewide_newsletters_add_admin() {\r\n\tglobal $current_user;\r\n\tadd_submenu_page('users.php', 'Sitewide newsletters', 'Sitewide newsletters', 'edit_users', 'sitewide_newsletters', 'sitewide_newsletters');\r\n}", "function akvodata_add_menu_page() {\n add_menu_page(\"Akvo data\", \"Akvo data\", \"activate_plugins\", \"akvodata\", \"akvodata_admin_overview_page\");\n add_submenu_page('akvodata', 'data overview', 'data overview', 'update_core', 'akvodata', \"akvodata_admin_overview_page\");\n add_submenu_page('akvodata', 'add data', 'add data', 'update_core', 'akvodata-add', \"akvodata_admin_add_page\");\n}", "function data_modifymenu(){\n add_menu_page('data', \n 'data',\n 'manage_options',\n 'data_list',\n data_list)\n ;\n\n add_submenu_page('data_list',\n 'Add New data',\n 'Add New',\n 'manage_options',\n 'data_create',\n 'data_create'\n );\n\n add_submenu_page(null,\n 'Update data',\n 'Update',\n 'manage_options',\n 'data_update',\n 'data_update'\n );\n}", "public function register_sub_menu() {\n\t\tadd_submenu_page(\n\t\t\t'machete',\n\t\t\t$this->params['full_title'],\n\t\t\t$this->params['title'],\n\t\t\t$this->params['role'],\n\t\t\t'machete-' . $this->params['slug'],\n\t\t\tarray( $this, 'submenu_page_callback' )\n\t\t);\n\t}", "public static function addMenu(){\n add_submenu_page(\n tablebouddha_customtheme::GROUP, // slug parent\n self::SUB3_TITLE, // page_title\n self::SUB3_MENU, // menu_title\n self::PERMITION, // capability\n self::SUB3_GROUP, // slug_menu\n [self::class, 'render'] // CALLBACK\n );\n }", "public function add_sub_menu(){\r\n\t add_submenu_page('edit.php?post_type=smt_contact_form', __('Form Submissions','menu-test'), __('Form Submissions','menu-test'), 'manage_options', 'smt-contact-form-submission',array($this,'index'));\r\n\t}", "function insertSubMenu(&$menuTap,$key,$value)\n {\n $menutap[$key]=$value;\n }", "function analytics_submenu() {\n\t\t//\"add_options_page\" = pone la pagina dentro de la seccion AJUSTES, \"add_object_page\" = pone la pagina como una seccion independiente, \"add_submenu_page\" = se debe identificar de que seccion es el submenu de la pagina\n\t\tadd_submenu_page('mark-v', '[MARK-V] : Analytics', 'Analytics', 'manage_options', 'mark-v-analytics', 'markv_seccion_analytics' );\n\t}", "public static function addMenu(){\n add_submenu_page(\n avimayeur_customtheme::GROUP, // slug parent\n self::SUB3_TITLE, // page_title\n self::SUB3_MENU, // menu_title\n self::PERMITION, // capability\n self::SUB3_GROUP, // slug_menu\n [self::class, 'render'] // CALLBACK\n );\n }", "function integration_api_admin_page_add() {\n\tif (function_exists('bb_admin_add_submenu')) { // Build 794+\n\t\tbb_admin_add_submenu(__('Integration API'), 'use_keys', 'integration_api_admin_page');\n\t} else {\n\t\tglobal $bb_submenu;\n\t\t$submenu = array(__('Integration API'), 'use_keys', 'integration_api_admin_page');\n\t\tif (isset($bb_submenu['plugins.php'])) { // Build 740-793\n\t\t\t$bb_submenu['plugins.php'][] = $submenu;\n\t\t} else { // Build 277-739\n\t\t\t$bb_submenu['site.php'][] = $submenu;\n\t\t}\n\t}\n}", "function vj_modifymenu() {\n\tadd_submenu_page(\"menu_transportes\",\n\t'Orden de Viaje', //page title\n\t'Orden de Viaje', //menu title\n\t'manage_options', //capabilities\n\t'tran_vj_list', //menu slug\n\t'tran_vj_list' //function\n\t);\n\n\t//this submenu is HIDDEN, however, we need to add it anyways\n\tadd_submenu_page(null, //parent slug\n\t'Update Orden de Viaje', //page title\n\t'Update', //menu title\n\t'manage_options', //capability\n\t'tran_vj_update', //menu slug\n\t'tran_vj_update'); //function\n\n\t//this is a submenu\n\tadd_submenu_page(null, //parent slug\n\t'New Orden de Viaje', //page title\n\t'New', //menu title\n\t'manage_options', //capability\n\t'tran_vj_create', //menu slug\n\t'tran_vj_create'); //function\n\t\n}", "function add_user_sub_menu($params)\n {\n $this->db->insert('user_sub_menu',$params);\n return $this->db->insert_id();\n }", "public function instagram_menu() {\n\t\tadd_submenu_page('options-general.php', 'Instagram Settings', 'Instagram Settings', 'manage_options', 'instagram-menu', array($this,'instagram_admin_view'));\n\t}", "function et_adminmenu(){\n add_menu_page('Employee Timesheet','Employee Timesheet','administrator','et_settings','et_settings','dashicons-welcome-widgets-menus');\n add_submenu_page(\"et_settings\",\"Employees\",\"Employees\",\"administrator\",\"et_employees\",\"et_employees\");\n // add_submenu_page(\"et_settings\",\"TimeSheets\",\"TimeSheets\",\"administrator\",\"et_timesheets\",\"et_timesheets\");\n\n // add_menu_page('Time Sheets','Time Sheets','administrator','et_timesheet','et_timesheet','dashicons-media-spreadsheet');\n // add_submenu_page(\"et_timesheet\",\"Add Sheet\",\"Add Sheet\",\"administrator\",\"et_add_sheet\",\"et_add_sheet\");\n // add_submenu_page(\"et_timesheet\",\"Pending Sheets\",\"Pending Sheets\",\"administrator\",\"et_sheet_pending\",\"et_sheet_pending\");\n // add_submenu_page(\"et_timesheet\",\"Rejected Sheets\",\"Rejected Sheets\",\"administrator\",\"et_sheet_rejected\",\"et_sheet_rejected\");\n }", "public function registerAdminMenu()\n\t{\n\t\tadd_menu_page('Hírlevél', 'Hírlevél', 'moderate_comments', 'hirlevel', [$this, 'getAdminListPage'], 'dashicons-email-alt', '55.8');\n\t\tadd_submenu_page( 'hirlevel', 'Hírlevél lista', 'Hírlevél lista', 'moderate_comments', 'hirlevel', [$this, 'getAdminListPage'] );\n\t\tadd_submenu_page( 'hirlevel', 'Új hírlevél', 'Új hírlevél', 'moderate_comments', 'hirlevel-add', [$this, 'getAdminCreatePage'] );\n\t}", "function gnavi_get_submenu( $mydirname ){\n\tglobal $xoopsDB , $xoopsUser , $gnavi_catonsubmenu ,$gnavi_usevote, $table_cat ,\n\t\t\t\t$gnavi_usegooglemap,$gnavi_indexpage ;\n\t$constpref = '_MI_' . strtoupper( $mydirname ) ;\n\t$subcount = 1 ;\n\n\tstatic $submenus_cache ;\n\n\tinclude dirname( __FILE__ ) . '/get_perms.php' ;\n\tif( isset( $gnavi_usegooglemap ) && $gnavi_usegooglemap ) {\n\t\tif( isset( $gnavi_indexpage ) && $gnavi_indexpage == 'map' ) {\n\t\t\t$modversion['sub'][$subcount]['name'] = constant($constpref.'_TEXT_SMNAME6');\n\t\t\t$sub[$subcount++]['url'] = \"index.php?page=category\";\n\t\t}else{\n\t\t\t$sub[$subcount]['name'] = constant($constpref.'_TEXT_SMNAME5');\n\t\t\t$sub[$subcount++]['url'] = \"index.php?page=map\";\n\t\t}\n\t}\n\tif( isset( $gnavi_catonsubmenu ) && $gnavi_catonsubmenu ) {\n\t\t$crs = $xoopsDB->query( \"SELECT cid, title FROM $table_cat WHERE pid=0 ORDER BY weight,title\") ;\n\t\tif( $crs !== false ) {\n\t\t while( list( $cid , $title ) = $xoopsDB->fetchRow( $crs ) ) {\n\t\t\t$sub[$subcount]['name'] = \"$title\" ;\n\t\t\t$sub[$subcount++]['url'] = \"index.php?cid=$cid\" ;\n\t\t }\n\t\t}\n\t}\n\tif( $global_perms & 1 ) {\t// GNAV_GPERM_INSERTABLE\n\t\t$sub[$subcount]['name'] = constant($constpref.'_TEXT_SMNAME1');\n\t\t$sub[$subcount++]['url'] = \"index.php?page=submit\";\n\t\tif($xoopsUser){\n\t\t\t$sub[$subcount]['name'] = constant($constpref.'_TEXT_SMNAME4');\n\t\t\t$sub[$subcount++]['url'] = \"index.php?uid=-1\";\n\t\t}\n\t}\n\t$sub[$subcount]['name'] = constant($constpref.'_TEXT_SMNAME2');\n\t$sub[$subcount++]['url'] = \"index.php?page=topten&amp;hit=1\";\n\tif( $global_perms & 256 ) {\t// GNAV_GPERM_RATEVIEW\n\t\tif( isset( $gnavi_usevote ) && $gnavi_usevote ) {\n\t\t\t$sub[$subcount]['name'] = constant($constpref.'_TEXT_SMNAME3');\n\t\t\t$sub[$subcount++]['url'] = \"index.php?page=topten&amp;rate=1\";\n\t\t}\n\t}\n\n\t$submenus_cache[$mydirname] = $sub ;\n\treturn $submenus_cache[$mydirname] ;\n\n}", "function wppb_register_add_ons_submenu_page() {\r\n add_submenu_page( 'profile-builder', __( 'Add-Ons', 'profile-builder' ), __( 'Add-Ons', 'profile-builder' ), 'manage_options', 'profile-builder-add-ons', 'wppb_add_ons_content' );\r\n}", "function add_menu() {\n\tif ( !isset($this->menu_title) && !property_exists($this, 'menu_title') ) $menu_title = $this->base_plugin_title;\n\telse $menu_title = $this->menu_title;\n\tif ( !isset($this->user_can) || !property_exists($this, 'user_can') ) $this->user_can = 'manage_options';\n\t$this->options_page = add_options_page( $this->base_plugin_title, $menu_title, $this->user_can, $this->unique_id, array($this, 'do_action') );\n}", "function add_menu($data = array())\n { \n\t\t \n\t\t$this->db->trans_begin();\t\n if ($data)\n { \n\t\t \n\t\t $l = $this->checkMenuIdExist($data['level_id']);\n\t\t \n\t\t if($l == 0){ \n\t\t \n $sql = \"\n INSERT INTO user_access (\n access_level_id,\t\t\t\t\t \n\t\t\t\t\tcreated \n ) VALUES ( \n \" . $this->db->escape($data['level_id']) . \",\n\t\t\t\t\t'\" . date('Y-m-d H:i:s') . \"' \n\t\t\t )\n \"; \n\t\t\t\n $this->db->query($sql);\n\t\t\t$id = $this->db->insert_id();\n\t\t\t\n\t\t } else {\n\t\t\t \n\t\t\t $this->delete_permission($l['user_access_id']);\n\t\t\t $id = $l['user_access_id'];\n\t\t\t \n\t\t }\n\t\t\t \n\t\t\t/* Add data in user_access_permission*/\n\t\t\t\n\t\t\t$sql_1 = \"SELECT menu_id FROM {$this->_db}\";\n\t\t\t$query_1 = $this->db->query($sql_1);\n\t\t\t$results = $query_1->result_array();\n\t\t \t \n\t\t foreach($results as $result){\n\t\t\t\t\n\t\t\t\t$menuId = $result['menu_id'];\n\t\t\t\t$view = isset($data['view-'.$menuId]) ? $data['view-'.$menuId] : '0';\n\t\t\t\t$add = isset($data['add-'.$menuId]) ? $data['add-'.$menuId] : '0';\n\t\t\t\t$edit = isset($data['edit-'.$menuId]) ? $data['edit-'.$menuId] : '0';\n\t\t\t\t$delete = isset($data['delete-'.$menuId]) ? $data['delete-'.$menuId] : '0'; \n\t\t\t\t\n\t\t\t\t$sql_2 = \"\n INSERT INTO user_access_permission (\n user_access_id,\t\t\t\t\t \n\t\t\t\t\tmenu_id,\n\t\t\t\t\tu_view,\n\t\t\t\t\tu_add,\n\t\t\t\t\tu_edit,\n\t\t\t\t\tu_delete\n ) VALUES ( \n \" . $id . \",\n\t\t\t\t\t\" . $menuId . \",\n\t\t\t\t\t\" . $view . \",\n\t\t\t\t\t\" . $add . \",\n\t\t\t\t\t\" . $edit . \",\n\t\t\t\t\t\" . $delete . \"\n\t\t\t )\";\n\t\t\t $this->db->query($sql_2);\n\t\t\t}\n\t\t\t\n\t\t\t/* End data in user_access_permission*/\n\t\t\t \n\t\t\tif ($this->db->trans_status() === FALSE){\n\t\t\t\t\t$this->db->trans_rollback();\n\t\t\t\t\treturn FALSE;\n\t\t\t} else {\n\t\t\t\t\t$this->db->trans_commit();\n\t\t\t\t\treturn $id;\n\t\t\t} \t\n\t\t\t\n }\n return FALSE;\n }", "public function register_menu(){\n $hook = add_submenu_page('tools.php', 'Send To Top Settings Menu', 'Send To Top', 'publish_posts', 'stt_menu.php', array($this, 'render_menu'));\n }", "function subscriber_menu_function(){\n add_menu_page('Users', 'Users', 'manage_options', 'subscribers', 'show_all_subscriber_list');\n add_submenu_page( 'subscribers', 'All Users', 'All Users', 'manage_options', 'subscribers');\n add_submenu_page( null, 'Edit User', 'Edit user', 'manage_options', 'edit_new_subscriber', 'edit_new_subscriber');\n}", "public function admin_menu() {\n\t\t\t$parent_slug = 'edit.php?post_type=acf-field-group';\n\t\t\t$cap = acf_get_setting( 'capability' );\n\t\t\tadd_submenu_page( $parent_slug, __( 'Field Groups', 'acf' ), __( 'Field Groups', 'acf' ), $cap, $parent_slug );\n\t\t}", "function xprofile_add_admin_menu() {\n\n\tif ( !bp_current_user_can( 'bp_moderate' ) )\n\t\treturn false;\n\n\tadd_users_page( __( 'Profile Fields', 'buddypress' ), __( 'Profile Fields', 'buddypress' ), 'manage_options', 'bp-profile-setup', 'xprofile_admin' );\n}", "public function add_menu() {\n global $submenu;\n $hooks = array();\n\n add_menu_page( 'WP Coach Page Title', 'WP Coach', 'manage_options', 'wp-coach', 'WP_Coach_Admin_Menu::render_template', 'dashicons-welcome-learn-more' );\n // $hooks[] = add_submenu_page( 'wp-coach', __('Subscriptions', 'wp-coach'), __('Subscriptions', 'wp-coach'), 'manage_options', 'wp-coach-subscriptions', 'WP_Coach_Admin_Menu::render_template');\n // add_action('load-$hook', array($this, 'on_pageload') );\n }", "public function add_menu_items() {\n\t\tadd_submenu_page(\n\t\t\t'membership',\n\t\t\t__( 'Pronamic iDEAL Options', 'pronamic_ideal' ),\n\t\t\t__( 'iDEAL Options', 'pronamic_ideal' ),\n\t\t\t'membershipadmin',\n\t\t\t'pronamic_pay_membership_settings',\n\t\t\tarray( $this, 'page_settings' )\n\t\t);\n\t}", "public function addUser(){\n\t\t$tbl='user_levels';\n\t\t$data=array();\n\t\t$tableList=getCruiseTable();\n\t\tif(in_array($tbl, $tableList)) {\n\t\t\t$data['roles'] = $this->Cruise_model->select($tbl);\n\t\t}\n\t\t$this->show_front('user/add_user',$data);\n\t}", "public function add_sub_tab()\n {\n add_submenu_page(\n $this->slug,\n isset($this->config['page_title']) ? $this->config['page_title'] : \"no title\",\n $this->config['menu_title'],\n $this->config['cap'],\n $this->config['menu_slug'],\n array(&$this, 'show_menu'));\n\n//for chain methods\n return $this;\n }", "public function event_bb_admin_menu_generator()\r\n\t{\r\n\t\tbb_admin_add_submenu(__('Loginless Posting', 'loginless-posting'), 'administrate', 'loginless_posting_options_page', 'options-general.php');\r\n\t}", "function add_submenu_page() {\n $GLOBALS['wp_functions']['add_submenu_page'] = true;\n }", "function ac_all_add_user(){\n\t\tglobal $i18n;\n\t\t$this->menu();\n\t\t$this->run_view('new_user');\n\t}" ]
[ "0.71051586", "0.69477355", "0.68588024", "0.68251747", "0.6799557", "0.6751149", "0.6715818", "0.6690822", "0.665307", "0.66506344", "0.6649441", "0.6638683", "0.6625176", "0.6624629", "0.6594814", "0.65940577", "0.65904987", "0.65684766", "0.65622246", "0.6541735", "0.65403914", "0.653815", "0.65161616", "0.6512451", "0.6509127", "0.64977354", "0.6488826", "0.6486516", "0.645955", "0.645686" ]
0.7812164
0
/ function to update user_access_sub_menu
function update_user_access_sub_menu($id, $params) { $this->db->where('id', $id); return $this->db->update('user_access_sub_menu', $params); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function data_modifymenu(){\n add_menu_page('data', \n 'data',\n 'manage_options',\n 'data_list',\n data_list)\n ;\n\n add_submenu_page('data_list',\n 'Add New data',\n 'Add New',\n 'manage_options',\n 'data_create',\n 'data_create'\n );\n\n add_submenu_page(null,\n 'Update data',\n 'Update',\n 'manage_options',\n 'data_update',\n 'data_update'\n );\n}", "function add_user_access_sub_menu($params)\n {\n $this->db->insert('user_access_sub_menu', $params);\n return $this->db->insert_id();\n }", "public function admin_menu()\n {\n global $menu, $submenu;\n $labels = $this->get_labels();\n\n foreach ($menu as &$item) {\n if (isset($item[0]) && 'Posts' === $item[0]) {\n $item[0] = $labels['name'];\n break;\n }\n }\n\n $submenu['edit.php'][5][0] = $labels['all_items'];\n $submenu['edit.php'][10][0] = $labels['add_new'];\n }", "function gnavi_get_submenu( $mydirname ){\n\tglobal $xoopsDB , $xoopsUser , $gnavi_catonsubmenu ,$gnavi_usevote, $table_cat ,\n\t\t\t\t$gnavi_usegooglemap,$gnavi_indexpage ;\n\t$constpref = '_MI_' . strtoupper( $mydirname ) ;\n\t$subcount = 1 ;\n\n\tstatic $submenus_cache ;\n\n\tinclude dirname( __FILE__ ) . '/get_perms.php' ;\n\tif( isset( $gnavi_usegooglemap ) && $gnavi_usegooglemap ) {\n\t\tif( isset( $gnavi_indexpage ) && $gnavi_indexpage == 'map' ) {\n\t\t\t$modversion['sub'][$subcount]['name'] = constant($constpref.'_TEXT_SMNAME6');\n\t\t\t$sub[$subcount++]['url'] = \"index.php?page=category\";\n\t\t}else{\n\t\t\t$sub[$subcount]['name'] = constant($constpref.'_TEXT_SMNAME5');\n\t\t\t$sub[$subcount++]['url'] = \"index.php?page=map\";\n\t\t}\n\t}\n\tif( isset( $gnavi_catonsubmenu ) && $gnavi_catonsubmenu ) {\n\t\t$crs = $xoopsDB->query( \"SELECT cid, title FROM $table_cat WHERE pid=0 ORDER BY weight,title\") ;\n\t\tif( $crs !== false ) {\n\t\t while( list( $cid , $title ) = $xoopsDB->fetchRow( $crs ) ) {\n\t\t\t$sub[$subcount]['name'] = \"$title\" ;\n\t\t\t$sub[$subcount++]['url'] = \"index.php?cid=$cid\" ;\n\t\t }\n\t\t}\n\t}\n\tif( $global_perms & 1 ) {\t// GNAV_GPERM_INSERTABLE\n\t\t$sub[$subcount]['name'] = constant($constpref.'_TEXT_SMNAME1');\n\t\t$sub[$subcount++]['url'] = \"index.php?page=submit\";\n\t\tif($xoopsUser){\n\t\t\t$sub[$subcount]['name'] = constant($constpref.'_TEXT_SMNAME4');\n\t\t\t$sub[$subcount++]['url'] = \"index.php?uid=-1\";\n\t\t}\n\t}\n\t$sub[$subcount]['name'] = constant($constpref.'_TEXT_SMNAME2');\n\t$sub[$subcount++]['url'] = \"index.php?page=topten&amp;hit=1\";\n\tif( $global_perms & 256 ) {\t// GNAV_GPERM_RATEVIEW\n\t\tif( isset( $gnavi_usevote ) && $gnavi_usevote ) {\n\t\t\t$sub[$subcount]['name'] = constant($constpref.'_TEXT_SMNAME3');\n\t\t\t$sub[$subcount++]['url'] = \"index.php?page=topten&amp;rate=1\";\n\t\t}\n\t}\n\n\t$submenus_cache[$mydirname] = $sub ;\n\treturn $submenus_cache[$mydirname] ;\n\n}", "function edit_admin_menu() {\n global $menu;\n global $submenu;\n\n $menu[5][0] = 'Innlegg';\n $submenu['edit.php'][5][0] ='Alle innlegg';\n $menu[20][0] = 'Faste sider';\n}", "public function instagram_menu() {\n\t\tadd_submenu_page('options-general.php', 'Instagram Settings', 'Instagram Settings', 'manage_options', 'instagram-menu', array($this,'instagram_admin_view'));\n\t}", "function sitewide_newsletters_add_admin() {\r\n\tglobal $current_user;\r\n\tadd_submenu_page('users.php', 'Sitewide newsletters', 'Sitewide newsletters', 'edit_users', 'sitewide_newsletters', 'sitewide_newsletters');\r\n}", "function vj_modifymenu() {\n\tadd_submenu_page(\"menu_transportes\",\n\t'Orden de Viaje', //page title\n\t'Orden de Viaje', //menu title\n\t'manage_options', //capabilities\n\t'tran_vj_list', //menu slug\n\t'tran_vj_list' //function\n\t);\n\n\t//this submenu is HIDDEN, however, we need to add it anyways\n\tadd_submenu_page(null, //parent slug\n\t'Update Orden de Viaje', //page title\n\t'Update', //menu title\n\t'manage_options', //capability\n\t'tran_vj_update', //menu slug\n\t'tran_vj_update'); //function\n\n\t//this is a submenu\n\tadd_submenu_page(null, //parent slug\n\t'New Orden de Viaje', //page title\n\t'New', //menu title\n\t'manage_options', //capability\n\t'tran_vj_create', //menu slug\n\t'tran_vj_create'); //function\n\t\n}", "function get_user_access_sub_menu($id)\n {\n return $this->db->get_where('user_access_sub_menu', array('id' => $id))->row_array();\n }", "function analytics_submenu() {\n\t\t//\"add_options_page\" = pone la pagina dentro de la seccion AJUSTES, \"add_object_page\" = pone la pagina como una seccion independiente, \"add_submenu_page\" = se debe identificar de que seccion es el submenu de la pagina\n\t\tadd_submenu_page('mark-v', '[MARK-V] : Analytics', 'Analytics', 'manage_options', 'mark-v-analytics', 'markv_seccion_analytics' );\n\t}", "function et_adminmenu(){\n add_menu_page('Employee Timesheet','Employee Timesheet','administrator','et_settings','et_settings','dashicons-welcome-widgets-menus');\n add_submenu_page(\"et_settings\",\"Employees\",\"Employees\",\"administrator\",\"et_employees\",\"et_employees\");\n // add_submenu_page(\"et_settings\",\"TimeSheets\",\"TimeSheets\",\"administrator\",\"et_timesheets\",\"et_timesheets\");\n\n // add_menu_page('Time Sheets','Time Sheets','administrator','et_timesheet','et_timesheet','dashicons-media-spreadsheet');\n // add_submenu_page(\"et_timesheet\",\"Add Sheet\",\"Add Sheet\",\"administrator\",\"et_add_sheet\",\"et_add_sheet\");\n // add_submenu_page(\"et_timesheet\",\"Pending Sheets\",\"Pending Sheets\",\"administrator\",\"et_sheet_pending\",\"et_sheet_pending\");\n // add_submenu_page(\"et_timesheet\",\"Rejected Sheets\",\"Rejected Sheets\",\"administrator\",\"et_sheet_rejected\",\"et_sheet_rejected\");\n }", "public function update_link_structure() {\n\t\tglobal $submenu;\n\t\t// User does not have capabilites to see the submenu.\n\t\tif ( ! current_user_can( 'manage_woocommerce' ) || empty( $submenu['woocommerce'] ) ) {\n\t\t\treturn;\n\t\t}\n\n\t\t$wc_admin_key = null;\n\t\tforeach ( $submenu['woocommerce'] as $submenu_key => $submenu_item ) {\n\t\t\tif ( self::MENU_SLUG === $submenu_item[2] ) {\n\t\t\t\t$wc_admin_key = $submenu_key;\n\t\t\t\tbreak;\n\t\t\t}\n\t\t}\n\n\t\tif ( ! $wc_admin_key ) {\n\t\t\treturn;\n\t\t}\n\n\t\t$menu = $submenu['woocommerce'][ $wc_admin_key ];\n\n\t\t// Move menu item to top of array.\n\t\tunset( $submenu['woocommerce'][ $wc_admin_key ] );\n\t\tarray_unshift( $submenu['woocommerce'], $menu );\n\t}", "function insertSubMenu(&$menuTap,$key,$value)\n {\n $menutap[$key]=$value;\n }", "function wp_api_auth_network_admin_menu()\n{\n add_submenu_page(\n 'settings.php', // parent_slug\n 'API Authentication Settings', // page_title\n 'API Authentication', // menu_title\n 'manage_options', // capability\n 'wp_api_auth_settings', // menu_slug\n 'wp_api_auth_display_options' // function\n );\n}", "function Admin_menu() {\r\n\t\t\t# Get current user\r\n\t\t\tglobal $user_ID;\r\n\t\t\tglobal $pwa_pro;\r\n\t\t\tget_currentuserinfo();\r\n\r\n\t\t\t$title = 'PWA+PHP';\r\n\t\t\tif (!empty($pwa_pro)) $title = 'PWA+PHP PRO';\r\n\t\t\t$page = add_submenu_page('upload.php',\t\t\t\t\r\n\t\t\t\t__($title, c_pwa_text_domain) . ' ' . __('Administration', c_pwa_text_domain),\r\n\t\t\t\t__($title, c_pwa_text_domain),\r\n\t\t\t\tcurrent_user_can(c_pwa_min_cap),\r\n\t\t\t\t'pwaplusphp',\r\n\t\t\t\tarray(&$this, 'Administration'));\r\n\t\t\tadd_action( 'admin_print_styles-' . $page, array(&$this, 'Admin_Styles' ));\r\n\t\t\tadd_action( 'admin_print_scripts-' . $page, array(&$this, 'Admin_Scripts' ));\r\n\t\t\t\r\n\r\n\t\t}", "function buddyreshare_users_admin_menu() {\n\t$GLOBALS['wp_admin_bar']->add_menu( array(\n\t\t'parent' => 'my-account-activity',\n\t\t'id' => 'my-account-activity-' . buddyreshare_get_component_slug(),\n\t\t'title' => __( 'Reshared Activities', 'bp-reshare' ),\n\t\t'href' => trailingslashit( bp_loggedin_user_domain() . bp_get_activity_slug() . '/' . buddyreshare_get_component_slug() ),\n\t) );\n}", "function xprofile_add_admin_menu() {\n\n\tif ( !bp_current_user_can( 'bp_moderate' ) )\n\t\treturn false;\n\n\tadd_users_page( __( 'Profile Fields', 'buddypress' ), __( 'Profile Fields', 'buddypress' ), 'manage_options', 'bp-profile-setup', 'xprofile_admin' );\n}", "function admin_menu() {\n\t\t\n\t\t// bail early if no show_admin\n\t\tif( !acf_get_setting('show_admin') ) return;\n\t\t\n\t\t\n\t\t// bail early if no show_updates\n\t\tif( !acf_get_setting('show_updates') ) return;\n\t\t\n\t\t\n\t\t// bail early if not a plugin (included in theme)\n\t\tif( !acf_is_plugin_active() ) return;\n\t\t\t\t\n\t\t\n\t\t// add page\n\t\t$page = add_submenu_page('edit.php?post_type=acf-field-group', __('Updates','acf'), __('Updates','acf'), acf_get_setting('capability'), 'acf-settings-updates', array($this,'html') );\n\t\t\n\t\t\n\t\t// actions\n\t\tadd_action('load-' . $page, array($this,'load'));\n\t\t\n\t}", "function update_user_sub_menu($id,$params)\n {\n $this->db->where('id',$id);\n return $this->db->update('user_sub_menu',$params);\n }", "function tools_menu() {\n\t\t\n\t\t$con =& MDB2::connect(unserialize(DSN), $dsn_options);\n\t\tif (PEAR::isError($con)) {\n\t\t \tdie($con->getMessage());\n\t\t}\n\t\telse { \n\t\t\t$check_access = $con->queryRow(\"SELECT customer_id,fd_group FROM users WHERE customer_id='\". $_SESSION['username'] .\"'\"); \n\t\t}\n\t\t\n\t\tif ($check_access[1] == \"admin\") { // show additional options only available to admins\n\t\t\t$admin_text = '<div dojoType=\"TreeNode\" title=\"Create / Edit Users and Groups\" object=\"list_users.php\"> </div>\n \t\t\t<div dojoType=\"TreeNode\" title=\"Edit Configuration\" object=\"/config\"> </div>\n \t\t\t';\n\t\t}\t\t\n\t\t\n \t\treturn '<div dojoType=\"TreeNode\" title=\"Create / Edit Windows install images\" object=\"list_images.php\"> </div>' . $admin_text .''; \n \t}", "function bbp_admin_menu()\n{\n}", "function subscriber_menu_function(){\n add_menu_page('Users', 'Users', 'manage_options', 'subscribers', 'show_all_subscriber_list');\n add_submenu_page( 'subscribers', 'All Users', 'All Users', 'manage_options', 'subscribers');\n add_submenu_page( null, 'Edit User', 'Edit user', 'manage_options', 'edit_new_subscriber', 'edit_new_subscriber');\n}", "function wpec_members_menu_items() {\n add_submenu_page( 'edit.php?post_type=wpsc-product' , __( 'Memberships & Subscriptions', 'wpec_members' ), __( 'Memberships & Subscriptions', 'wpec_members' ), 'manage_options', 'wpec_members', 'wpec_members_render_list_page' );\n}", "function submenu() {\n\t\t$submenu_hookname = add_submenu_page(\n\t\t\t'tools.php',\n\t\t\tesc_html( __( 'Admin Login Notifier' ) ),\n\t\t\tesc_html( __( 'Admin Login Notifier' ) ),\n\t\t\tapply_filters( 'aln_menu_cap', 'manage_options' ),\n\t\t\t'admin-login-notifier',\n\t\t\tarray( $this, 'submenu_ui' )\n\t\t);\n\n\t\treturn $submenu_hookname;\n\t}", "function similarity_option_menu() {\r\n\tif (function_exists('current_user_can')) {\r\n\t\tif (!current_user_can('manage_options')) return;\r\n\t} else {\r\n\t\tglobal $user_level;\r\n\t\tget_currentuserinfo();\r\n\t\tif ($user_level < 8) return;\r\n\t}\r\n\tif (function_exists('add_options_page')) {\r\n\t\tadd_options_page(__('Similarity Options', 'similarity'), __('Similarity', 'similarity'), 1, __FILE__, 'options_page');\r\n\t}\r\n}", "public function admin_menu() {\n\t\t\t$parent_slug = 'edit.php?post_type=acf-field-group';\n\t\t\t$cap = acf_get_setting( 'capability' );\n\t\t\tadd_submenu_page( $parent_slug, __( 'Field Groups', 'acf' ), __( 'Field Groups', 'acf' ), $cap, $parent_slug );\n\t\t}", "function pmprolpv_admin_menu() {\r\nif ( ! defined( 'PMPRO_VERSION' ) ) {\r\n return;\r\n }\r\n\t\r\n\t$cap = apply_filters( 'pmpro_edit_member_capability', 'manage_options' );\r\n\r\n\tif( version_compare( PMPRO_VERSION, '2.0' ) >= 0 ) {\r\n\t\tadd_submenu_page( 'pmpro-dashboard', __( 'Limit Post Views', 'pmpro-limitpostviews' ), __( 'Limit Post View', 'pmpro-limitpostviews' ), $cap, 'pmpro-limitpostviews', 'pmprolpv_settings_page' );\r\n\t} else {\r\n\t\tadd_submenu_page( 'pmpro-membershiplevels', __( 'Limit Post Views', 'pmpro-limitpostviews' ), __( 'Limit Post View', 'pmpro-limitpostviews' ), $cap, 'pmpro-limitpostviews', 'pmprolpv_settings_page' );\r\n\t}\r\n}", "function get_all_user_access_sub_menu($user_id)\n {\n // $this->db->select('*,user_access_sub_menu.id as \"id\"'); \n $this->db->join('user_sub_menu', 'user_sub_menu.id=user_access_sub_menu.sub_menu_id');\n $this->db->order_by('by','ASC');\n return $this->db->get_where('user_access_sub_menu', array('user_id' => $user_id, 'is_active' => 1))->result_array();\n }", "function yvts_coursemanager_admin_menu() {\n add_menu_page('YVTS Course Manager','YVTS Course Manager', 'manage_options', 'yvts_coursemanager' ,'yvts_coursemanager_admin', '', 7);\n add_submenu_page( 'yvts_coursemanager', 'YVTS Course Manager - Courses', 'Courses', 'manage_options', 'yvts_coursemanager_admin_courses', 'yvts_coursemanager_admin_courses' );\n add_submenu_page( 'yvts_coursemanager', 'YVTS Course Manager - Schedules', 'Schedules', 'manage_options', 'yvts_coursemanager_admin_schedules', 'yvts_coursemanager_admin_schedules' );\n add_submenu_page( 'yvts_coursemanager', 'YVTS Course Manager - Applications', 'Applications', 'manage_options', 'yvts_coursemanager_admin_applications', 'yvts_coursemanager_admin_applications' );\n}", "function akvodata_add_menu_page() {\n add_menu_page(\"Akvo data\", \"Akvo data\", \"activate_plugins\", \"akvodata\", \"akvodata_admin_overview_page\");\n add_submenu_page('akvodata', 'data overview', 'data overview', 'update_core', 'akvodata', \"akvodata_admin_overview_page\");\n add_submenu_page('akvodata', 'add data', 'add data', 'update_core', 'akvodata-add', \"akvodata_admin_add_page\");\n}" ]
[ "0.68446577", "0.6833746", "0.6762304", "0.67433715", "0.66344166", "0.6620994", "0.6600511", "0.6589743", "0.65114665", "0.6505084", "0.64981574", "0.6488012", "0.64403534", "0.63912326", "0.63840044", "0.6350839", "0.633322", "0.6326548", "0.6312188", "0.6311238", "0.6304032", "0.63015175", "0.6293999", "0.62856585", "0.6285259", "0.6274012", "0.6273619", "0.6272699", "0.626366", "0.6261608" ]
0.71508735
0
/ function to delete user_access_sub_menu
function delete_user_access_sub_menu($id) { return $this->db->delete('user_access_sub_menu', array('id' => $id)); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function delete_user_sub_menu($id)\n {\n return $this->db->delete('user_sub_menu',array('id'=>$id));\n }", "function delete_TechNews_templatic_menu(){\n\tremove_submenu_page('templatic_menu', 'templatic_menu'); \n}", "function delete_menu_items() {\r\n}", "function pc_remove_submenus() {\n \n global $submenu;\n \n unset($submenu['themes.php'][5]); // Remove 'Temas'.\n unset($submenu['options-general.php'][15]); // Remove 'Escrita'.\n unset($submenu['options-general.php'][25]); // Remove 'Discussão'.\n unset($submenu['tools.php'][5]); // Remove 'Disponíveis'.\n unset($submenu['tools.php'][10]); // Remove 'Importar'.\n unset($submenu['tools.php'][15]); // Remove 'Exportar'.\n}", "function <%= name %>_remove_submenus() {\n remove_submenu_page( 'themes.php', 'themes.php' );\n remove_submenu_page( 'widgets.php', 'widgets.php' );\n remove_menu_page( 'edit-comments.php' );\n}", "function inhabitent_remove_submenus()\n{\n remove_submenu_page('themes.php', 'theme-editor.php');\n remove_submenu_page('plugins.php', 'plugin-editor.php');\n}", "function Backend_remove_menus(){\n // get current login user's role\n $roles = wp_get_current_user()->roles;\n // test role\n if( in_array('administrator',$roles)){\n return;\n }\n if(!empty($this->WPinit_admin_menu)):\n foreach ($this->WPinit_admin_menu as $key => $value) {\n remove_menu_page( $value );\n }\n endif;\n // index.php // Dashboard\n // edit.php // Posts\n // upload.php // Media\n // edit.php?post_type=page // Pages\n // edit-comments.php // Comments\n // themes.php // Appearance\n // plugins.php // Plugins\n // users.php // Users\n // tools.php // Tools\n // options-general.php // Settings\n }", "function remove_tools_menu_item(){\n \n $user = wp_get_current_user();\n if ( ! $user->has_cap( 'manage_options' ) ) {\n remove_menu_page( 'tools.php' ); \n } \n}", "function unatags_remove_submenu() {\n remove_submenu_page( 'edit.php?post_type=unafactsheet', 'edit-tags.php?taxonomy=post_tag&amp;post_type=unafactsheet' );\n remove_submenu_page( 'edit.php?post_type=unapetition', 'edit-tags.php?taxonomy=post_tag&amp;post_type=unapetition' );\n remove_submenu_page( 'edit.php?post_type=unaprofile', 'edit-tags.php?taxonomy=post_tag&amp;post_type=unaprofile' );\n }", "function grg_remove_menu_items(){\n\n\t\t\tremove_menu_page( 'edit-comments.php' ); // Posts\n\t\t\t// remove_menu_page( 'users.php'); // Users\n\t}", "function removeUpdateMenu() {\n remove_submenu_page( 'index.php', 'update-core.php' );\n}", "public function remove_menu_items() {\n remove_menu_page(\"edit-comments.php\");\n remove_menu_page(\"edit.php\");\n }", "function remove_submenu_from_admin() {\n\t $page = remove_submenu_page( 'themes.php', 'widgets.php' );\n\t $page = remove_submenu_page( 'index.php', 'update-core.php' );\n\t}", "function remove_acf_menu(){\n $admins = array( \n 'dev','greg','nic'\n );\n \n // get the current user\n $current_user = wp_get_current_user();\n \n // match and remove if needed\n if( !in_array( $current_user->user_login, $admins ) )\n {\n remove_menu_page('edit.php?post_type=acf');\n }\n \n}", "function remove_menus(){\n\t\t remove_menu_page( 'edit.php' );\n\t\t}", "function remove_menu_items() {\n remove_menu_page('edit.php'); // Posts\n}", "function delete_menu($id){\n\t$del_item=db_get_rows('internal_page',\" id='$id' \") ;\n\tforeach($del_item as $list){\n\t\t@unlink($list['url_part1']);\n\t\t@unlink($list['url_part2']);\n\t\t@unlink($list['url_part3']);\n\t}\n\tdb_query(\"DELETE FROM internal_page WHERE id='$id' \");\n\tgo2url( SITE_PATH.'content/list.html');\n}", "function remove_menus(){\r\n\t$roles = wp_get_current_user()->roles;\r\n\r\n\t// test role\r\n\tif( !in_array( 'contributor',$roles ) ){\r\n\t\treturn;\r\n\t}\r\n\tremove_menu_page( 'edit-comments.php' ); //Comments\r\n\tremove_menu_page( 'tools.php' ); //Tools\r\n\tremove_menu_page( 'edit.php' ); // Pages\r\n\t@add_menu_page( 'edit.php?post_type=submission' ); // submission\r\n}", "function remove_acf_menu()\n{\n\n // provide a list of usernames who can edit custom field definitions here\n $admins = array(\n 'admin'\n );\n\n // get the current user\n $current_user = wp_get_current_user();\n\n // match and remove if needed\n if (!in_array($current_user->user_login, $admins)) {\n remove_menu_page('edit.php?post_type=acf');\n }\n\n}", "function post_remove() { \n\n remove_menu_page('edit.php');\n\n}", "function remove_theme_submenus() {\n global $submenu; \n unset($submenu['themes.php'][5]); // appearance > themes\n unset($submenu['themes.php'][6]); // appearance > customize\n // unset($submenu['themes.php'][7]); // appearance > widgets\n // unset($submenu['themes.php'][10]); // appearance > menus\n unset($submenu['themes.php'][11]); // appearance > editor\n // unset($submenu['themes.php'][20]); // appearance > background\n}", "function menu_delete_menu_page($menu) {\n // System-defined menus may not be deleted.\n $system_menus = menu_list_system_menus();\n if (isset($system_menus[$menu['menu_name']])) {\n return MENU_ACCESS_DENIED;\n }\n return drupal_get_form('menu_delete_menu_confirm', $menu);\n}", "private function deleteMenu()\n\t\t{\n\t\t\t$id = (int)$_REQUEST['id'];\n\t\t\tDB::delete(\"menu\", \"WHERE id=$id\");\n\t\t}", "static function action_remove_update_menu() {\n\t\tremove_submenu_page( 'index.php', 'update-core.php' );\n\t}", "function remove_admin_menus()\n{\n\n remove_menu_page('edit-comments.php');\n\n}", "function capweb_admin_bar_items() {\n\tglobal $wp_admin_bar;\n\t$wp_admin_bar->remove_menu( 'new-link', 'new-content' );\n}", "function plugin_user_delete_links2($uid)\n{\n global $_TABLES, $_LI_CONF;\n\n\n // Get a root user from the Root group\n $rootgroup = DB_getItem ($_TABLES['groups'], 'grp_id',\"grp_name = 'Root'\");\n $result = DB_query (\"SELECT DISTINCT ug_uid FROM {$_TABLES['group_assignments']} WHERE ug_main_grp_id = $rootgroup ORDER BY ug_uid LIMIT 1\");\n if ( DB_numRows($result) > 0 ) {\n $A = DB_fetchArray ($result);\n $rootuser = $A['ug_uid'];\n } else {\n $rootuser = 2;\n }\n\n if ( $rootuser == '' || empty($rootuser) ) $rootuser = 2;\n\n if ($_LI_CONF['delete_links'] == 1) {\n // delete the links\n DB_delete($_TABLES['links'], 'owner_id', $uid);\n } else {\n DB_query (\"UPDATE {$_TABLES['links']} SET owner_id = \".$rootuser.\" WHERE owner_id = \".$uid);\n }\n\n DB_query(\"UPDATE {$_TABLES['linkcategories']} SET owner_id = \".$rootuser.\" WHERE owner_id = \".$uid);\n DB_delete($_TABLES['linksubmission'],'owner_id',$uid);\n}", "function delete_menu_item () {\n\t\t$file_name = 'app/views/app_header.php';\n\t\t$file_content = file_get_contents($file_name);\n\t\t$hook = '\t\t\t\t\tif (AppUser::has_permission(\\''.$this->name['class'].'_read\\')) {'.PHP_EOL;\n\t\t$hook .= '\t\t\t\t\t\techo \\'<li\\'.(($this->page_title == \\''.$this->name['plural'].'\\') ? \\' class=\"active\"\\' : \\'\\').\\'>'.\n\t\t\t'<a href=\"\\'.$this->url.\\'/'.$this->name['variable'].'\"><i class=\"fa fa-link\"></i> <span>'.$this->name['plural'].'</span></a></li>\\';'.PHP_EOL;\n\t\t$hook .= '\t\t\t\t\t}'.PHP_EOL;\n\t\t\n\t\tfile_put_contents($file_name, str_replace($hook, '', $file_content));\n\t}", "function delete($full_delete = false)\n\t{\n\t\t$is_act = $this->flag(OBJ_FLAG_IS_SELECTED);\n\t\tparent::delete($full_delete);\n\t\tif ($is_act)\n\t\t{\n\t\t\tconfig::set_simple_config(\"login_menus_\".aw_ini_get(\"site_id\"), \"\");\n\t\t}\n\t}", "function removeAdminPrivileges(){\n $rol = \"Quitar\"; //$rol tiene 3 valores posibles. (\"Asignar\" Privilegios. \"Quitar\" Privilegios. \"Borrar\" Cuenta de Usuario).\n $Users = $this->userModel->getUsers();\n $currentUser = $_SESSION['User']; //Sirve para saber el nombre del usuario actual, y así no permitir que se quite los permisos de administrador a si mismo.\n $this->view->assignRemoveAdminPrivilegesOrDeleteAccount($this->Titulo, $Users, $rol, $currentUser);\n }" ]
[ "0.7667451", "0.7228103", "0.7024457", "0.6961699", "0.6887937", "0.6873569", "0.6798273", "0.6798059", "0.6768366", "0.6725183", "0.6716538", "0.66969603", "0.6686291", "0.6676882", "0.66633177", "0.66505563", "0.66371363", "0.6598091", "0.6544875", "0.65317976", "0.6528238", "0.6486772", "0.6484175", "0.6481715", "0.64656264", "0.64447916", "0.642366", "0.64016646", "0.63779736", "0.6366547" ]
0.8188064
0
Test given $request for that all mandatory values are set and confirming to encoding guides. Also checks validity of pkey and pid values (if used). Provide mandatory value names in array $needed. Only values named here are validated!
function _validateParams(array $request, array $needed) { global $KeyPublic, $KeyEncoding, $KeyRevoked; // add login credentials to be checked always: // sid (service provider id) // spwd (service provider password) array_push($needed, "sid", "spwd"); // Check if all needed values are existing in the request foreach($needed as $param) { if (!array_key_exists($param, $request)) { _generateError($request, EC_MISSING_PARAMETERS, "Missing mandatory value $param"); return false; } } // validate encrypted data if needed // must be receipt:cs:iv:payload, where iv must be hex encoded and cs // must be 2 characters // maximum length of all is 15MB if (in_array("data", $needed)) { if (strlen($request["data"]) > MAX_DATA_SIZE * 1024) { _generateError($request, EC_INVALID_SIZE, "Size of data > ".MAX_DATA_SIZE."KB"); return false; } $data = explode(":", $request["data"]); if (count($data) != 4) { _generateError($request, EC_INVALID_ENCODING, "Invalid data encoding (expecting 4 parts receipt:cs:iv:payload)"); return false; } if (strlen($data[0]) < 4) { _generateError($request, EC_INVALID_ENCODING, "Invalid recipt (expecting 4 characters minimum)"); return false; } if (strlen($data[1]) != 2) { _generateError($request, EC_INVALID_ENCODING, "Invalid checksum (expecting 2 characters)"); return false; } if (!validateHEX($data[2])) { // hint: empty string is also not hex! _generateError($request, EC_INVALID_ENCODING, "Invalid data encoding (expecting hex iv)"); return false; } if (strlen($data[3]) < 4) { _generateError($request, EC_INVALID_ENCODING, "Invalid data encoding (expecting some payload > 4 characters)"); return false; } } // validate pkey value if needed // (only for future ECC implementation) /* if (in_array("pkey", $needed)) { $pkey = $request["pkey"]; if (!array_key_exists($pkey, $KeyPublic)) { _generateError($request, EC_INVALID_ENCODING, "Invalid pkey value"); return false; } if ($KeyRevoked[$pkey] == TRUE) { _generateError($request, EC_INVALID_ENCODING, "Revoked pkey"); return false; } } */ // validate pid value(s) if needed if (in_array("pid", $needed)) { $pids = explode(" ", $request["pid"]); foreach ($pids as $pid) { if (!validateHEX($pid)) { _generateError($request, EC_INVALID_ENCODING, "Invalid pid value (expecting pid to be hex)"); return false; } } } // validate login $sql = "SELECT password FROM provider WHERE providerid=?"; $res = GetOneSQLValue($sql, array($request["sid"])); if ($res == 0) { _generateError($request, EC_INVALID_CREDENTIALS, "Invalid sid (service provider id)"); return false; } $pwd = $res["password"]; if ($pwd != $request["spwd"]) { _generateError($request, EC_INVALID_CREDENTIALS, "Invalid spwd (service provider password)"); return false; } return true; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function verifyRequiredParams($request,$required_fields) {\n $error = false;\n $error_fields = \"\";\n $request_params = array();\n $request_params = $_REQUEST;\n // Handling PUT request params\n if ($_SERVER['REQUEST_METHOD'] == 'PUT') { \n parse_str($request->getBody(), $request_params);\n }\n foreach ($required_fields as $field) {\n if (!isset($request_params[$field]) || strlen(trim($request_params[$field])) <= 0) {\n $error .= $field . ', ';\n }\n }\n return $error;\n}", "function checkInput($request)\n {\n if(isset($request['n_name']) && isset($request['n_desc']) && isset($request['n_image']) ) {\n return 1;\n } \n return 0; \n }", "function verifyRequiredParams($required_fields)\n{\n \n //Getting the request parameters\n $request_params = $_REQUEST;\n \n //Looping through all the parameters\n foreach ($required_fields as $field) {\n //if any requred parameter is missing\n if (!isset($request_params[$field]) || strlen(trim($request_params[$field])) <= 0) {\n \n //returning true;\n return true;\n }\n }\n return false;\n}", "abstract protected function getRequiredRequestParameters();", "function verifyRequiredParams($request, $response, $required_fields) {\n $error = false;\n $error_fields = \"\";\n // Handling PUT request params\n if ($request->getMethod() == 'PUT' || $request->getMethod() == 'POST') {\n $request_params = $request->getParsedBody();\n //parse_str($app->request()->getBody(), $request_params);\n }else{\n $request_params = $request->getQueryParams();\n }\n\n foreach ($required_fields as $field) {\n if (!isset($request_params[$field]) || strlen(trim($request_params[$field])) <= 0) {\n $error = true;\n $error_fields .= $field . ', ';\n }else{\n if ($field == \"email\"){\n if (!filter_var($request_params[$field], FILTER_VALIDATE_EMAIL)) {\n $error = true;\n $error_fields .= $field . ', ';\n }\n }\n }\n }\n $error_fields = substr($error_fields, 0, -2);\n\n if ($error) {\n global $r;\n $r[\"error\"] = 1;\n $r[\"fieldlist\"] = $error_fields;\n $r[\"description\"] = 'Required field(s) ' . $error_fields . ' are missing or invalid';\n //$ga->trackEvent(\"required\",$error_fields,$route);\n return null;\n //echoResponse(400, $r);\n //$app->stop();\n }else{\n return $request_params;\n }\n}", "private function checkReq() : bool\n {\n if (count(array_intersect_key($this->required, $this->post)) == count($this->required)) {\n return true;\n }\n return false;\n }", "public static function verifyRequiredParams($required_fields)\n {\n $error = false;\n $error_fields = \"\";\n\n // Handling PUT request params\n if ($_SERVER['REQUEST_METHOD'] == 'PUT') {\n $app = \\Slim\\Slim::getInstance();\n\n $requestBody = $app->request()->getBody();\n $request_params = json_decode($requestBody, true);\n }\n\n // Handling POST request params\n if ($_SERVER['REQUEST_METHOD'] == 'POST') {\n $app = \\Slim\\Slim::getInstance();\n\n //add Slim Middleware because the framework parses POST data as URLencoded and not JSON\n $app->add(new \\Slim\\Middleware\\ContentTypes());\n\n $requestBody = $app->request()->getBody();\n $request_params = json_decode($requestBody, true);\n\n }\n\n foreach ($required_fields as $field) {\n if (!isset($request_params[$field]) ||\n strtolower($request_params[$field]) == 'null' ||\n $request_params[$field] == ''\n ) {\n $error = true;\n $error_fields .= $field . ', ';\n }\n }\n\n if ($error) {\n // Required field(s) are missing or empty\n // echo error json and stop the app\n $response = array();\n $app = \\Slim\\Slim::getInstance();\n $response[\"error\"] = true;\n $response[\"message\"] = 'Required field ' . substr($error_fields, 0, -2) . ' missing, empty or null';\n RequestHelper::echoResponse(400, $response);\n $app->stop();\n }\n }", "private function requestIsValid()\n {\n return $this->request->has(self::OPENID_ASSOC_HANDLE)\n && $this->request->has(self::OPENID_SIGNED)\n && $this->request->has(self::OPENID_SIG);\n }", "function verifyRequiredParams($required_fields,$request_params) {\n $error = false;\n $error_fields = \"\";\n foreach ($required_fields as $field) {\n if (!isset($request_params->$field) || strlen(trim($request_params->$field)) <= 0) {\n $error = true;\n $error_fields .= $field . ', ';\n }\n }\n\n if ($error) {\n // Required field(s) are missing or empty\n // echo error json and stop the app\n $response = array();\n $app = \\Slim\\Slim::getInstance();\n $response[\"status\"] = \"error\";\n $response[\"message\"] = 'Campo(s) obrigatório(s): ' . substr($error_fields, 0, -2) . ' estão faltando ou estão vazios';\n echoResponse(400, $response);\n $app->stop();\n }\n}", "function verifyRequiredParams($required_fields) {\n $error = false;\n $error_fields = \"\";\n $request_params = array();\n $request_params = $_REQUEST;\n // Handling PUT request params\n if ($_SERVER['REQUEST_METHOD'] == 'PUT') {\n $app = \\Slim\\Slim::getInstance();\n parse_str($app->request()->getBody(), $request_params);\n }\n foreach ($required_fields as $field) {\n if (!isset($request_params[$field]) || strlen(trim($request_params[$field])) <= 0) {\n $error = true;\n $error_fields .= $field . ', ';\n }\n }\n\t$error_fields = substr($error_fields, 0, -2);\n if ($error) {\n $app = \\Slim\\Slim::getInstance();\n\t\t$response[\"error\"] = 1;\n\t\t$response[\"fieldlist\"] = $error_fields;\n\t\t$response[\"description\"] = 'Required field(s) ' . $error_fields . ' are missing or empty';\n echoResponse(400, $response);\n $app->stop();\n\t\t$ga->trackEvent(\"required\",$error_fields,$route);\n }\n}", "function verifyRequiredParams($required_fields) {\r\n $error = false;\r\n $error_fields = \"\";\r\n $request_params = array();\r\n $request_params = $_REQUEST;\r\n // Handling PUT request params\r\n if ($_SERVER['REQUEST_METHOD'] == 'PUT') {\r\n $app = \\Slim\\Slim::getInstance();\r\n parse_str($app->request()->getBody(), $request_params);\r\n }\r\n foreach ($required_fields as $field) {\r\n if (!isset($request_params[$field]) || strlen(trim($request_params[$field])) <= 0) {\r\n $error = true;\r\n $error_fields .= $field . ', ';\r\n }\r\n }\r\n \r\n if ($error) {\r\n // Required field(s) are missing or empty\r\n // echo error json and stop the app\r\n $response = array();\r\n $app = \\Slim\\Slim::getInstance();\r\n $response[\"error\"] = true;\r\n $response[\"message\"] = 'Required field(s) ' . substr($error_fields, 0, -2) . ' is missing or empty';\r\n echoResponse(400, $response);\r\n \r\n $app->stop();\r\n }\r\n}", "function verifyRequiredParams($required_fields) {\n $error = false;\n $error_fields = \"\";\n $request_params = array();\n $request_params = $_REQUEST;\n\n // Handling PUT request params\n if ($_SERVER['REQUEST_METHOD'] == 'PUT') {\n $app = \\Slim\\Slim::getInstance();\n parse_str($app->request()->getBody(), $request_params);\n }\n foreach ($required_fields as $field) {\n if (!isset($request_params[$field]) || strlen(trim($request_params[$field])) <= 0) {\n $error = true;\n $error_fields .= $field . ', ';\n }\n }\n \n if ($error) {\n // Required field(s) are missing or empty\n // echo error json and stop the app\n $response = array();\n $app = \\Slim\\Slim::getInstance();\n $response[\"error\"] = true;\n $response[\"message\"] = 'Required field(s) ' . substr($error_fields, 0, -2) . ' is missing or empty';\n echoResponse(400, $response);\n $app->stop();\n }\n}", "function verifyRequiredParams($requiredFields) {\n $error = false;\n $errorFields = \"\";\n $requestParams = array();\n $requestParams = $_REQUEST;\n\n // Handling PUT request params\n if ($_SERVER['REQUEST_METHOD'] == 'PUT') {\n $app = \\Slim\\Slim::getInstance();\n parse_str($app->request()->getBody(), $requestParams);\n }\n foreach ($requiredFields as $field) {\n if (!isset($requestParams[$field]) || strlen(trim($requestParams[$field])) <= 0) {\n $error = true;\n $errorFields .= $field . ', ';\n }\n }\n \n if ($error) {\n // Required field(s) are missing or empty\n // echo error json and stop the app\n $response = array();\n $app = \\Slim\\Slim::getInstance();\n $response[\"messages\"] = 'Required field(s) ' . substr($errorFields, 0, -2) . ' is missing or empty';\n echoResponse(400, $response);\n $app->stop();\n }\n}", "function verifyRequiredParams($required_fields) {\n $error = false;\n $error_fields = \"\";\n $request_params = array();\n $request_params = $_REQUEST;\n // Handling PUT request params\n if ($_SERVER['REQUEST_METHOD'] == 'PUT') {\n $app = \\Slim\\Slim::getInstance();\n parse_str($app->request()->getBody(), $request_params);\n }\n foreach ($required_fields as $field) {\n if (!isset($request_params[$field]) || strlen(trim($request_params[$field])) <= 0) {\n $error = true;\n $error_fields .= $field . ', ';\n }\n }\n\n if ($error) {\n // Required field(s) are missing or empty\n // echo error json and stop the app\n $response = array();\n $app = \\Slim\\Slim::getInstance();\n $response[\"error\"] = true;\n $response[\"message\"] = 'Required field(s) ' . substr($error_fields, 0, -2) . ' is missing or empty';\n echoResponse(400, $response);\n $app->stop();\n }\n}", "function verifyRequiredParams($required_fields) {\n $error = false;\n $error_fields = \"\";\n $request_params = array();\n $request_params = $_REQUEST;\n // Handling PUT request params\n if ($_SERVER['REQUEST_METHOD'] == 'PUT') {\n $app = \\Slim\\Slim::getInstance();\n parse_str($app->request()->getBody(), $request_params);\n }\n foreach ($required_fields as $field) {\n if (!isset($request_params[$field]) || strlen(trim($request_params[$field])) <= 0) {\n $error = true;\n $error_fields .= $field . ', ';\n }\n }\n\n if ($error) {\n // Required field(s) are missing or empty\n // echo error json and stop the app\n $response = array();\n $app = \\Slim\\Slim::getInstance();\n $response[\"error\"] = true;\n $response[\"message\"] = 'Required field(s) ' . substr($error_fields, 0, -2) . ' is missing or empty';\n echoRespnse(400, $response);\n $app->stop();\n }\n}", "function verifyRequiredParams($required_fields) {\n $error = false;\n $error_fields = \"\";\n $request_params = array();\n $request_params = $_REQUEST;\n // Handling PUT request params\n if ($_SERVER['REQUEST_METHOD'] == 'PUT') {\n $app = \\Slim\\Slim::getInstance();\n parse_str($app->request()->getBody(), $request_params);\n }\n foreach ($required_fields as $field) {\n if (!isset($request_params[$field]) || strlen(trim($request_params[$field])) <= 0) {\n $error = true;\n $error_fields .= $field . ', ';\n }\n }\n\n if ($error) {\n // Required field(s) are missing or empty\n // echo error json and stop the app\n $response = array();\n $app = \\Slim\\Slim::getInstance();\n $response[\"error\"] = true;\n $response[\"message\"] = 'Required field(s) ' . substr($error_fields, 0, -2) . ' is missing or empty';\n echoRespnse(400, $response);\n $app->stop();\n }\n}", "function verifyRequiredParams($required_fields) {\n $error = false;\n $error_fields = \"\";\n $request_params = array();\n $request_params = $_REQUEST;\n // Handling PUT request params\n if ($_SERVER['REQUEST_METHOD'] == 'PUT') {\n $app = \\Slim\\Slim::getInstance();\n parse_str($app->request()->getBody(), $request_params);\n }\n foreach ($required_fields as $field) {\n if (!isset($request_params[$field]) || strlen(trim($request_params[$field])) <= 0) {\n $error = true;\n $error_fields .= $field . ', ';\n }\n }\n if ($error) {\n // Required field(s) are missing or empty\n // echo error json and stop the app\n $response = array();\n $app = \\Slim\\Slim::getInstance();\n $response[\"error\"] = true;\n $response[\"message\"] = 'Required field(s) ' . substr($error_fields, 0, -2) . ' is missing or empty';\n echoRespnse(400, $response);\n $app->stop();\n }\n}", "private function setReq(...$required) : void\n {\n // Set required array\n foreach($required as $value) {\n $this->required[$value] = null;\n }\n\n // Remove empty entries\n $this->post = array_filter($_POST);\n }", "private function check_required (array $keylist = array()) {\n foreach ($keylist as $key) {\n if (!isset($_REQUEST[$key])) {\n throw new ParamRequiredException(\"parameter '$key' is required\");\n }\n }\n }", "function check_parameter( $required, $source )\n{\n\tif(count($required) != count($source) )\n\t{\n\t\treturn false;\n\t}\n\n\tforeach( $required as $key )\n\t{\n\t\tif( !isset($source[$key]) )\n\t\t{\n\t\t\treturn false;\n\t\t}\n\t}\n\n\treturn true;\n}", "private function check_required()\n {\n // Loop through all params\n foreach ($this->params as $param) {\n if (array_key_exists(\"required\", $param) && $param[\"required\"] === TRUE) {\n if (!array_key_exists($param[\"name\"], $this->processed_inputs)) {\n throw new \\Exception(\"Parameter '{$param[\"name\"]}' is required\");\n }\n }\n }\n\n // Loop through all options\n foreach ($this->options as $option) {\n // if option is required\n if (array_key_exists(\"required\", $option) && $option[\"required\"] === TRUE) {\n // check that it is defined in processed_inputs\n if ($this->processed_inputs[$option[\"short\"]] === FALSE) {\n throw new \\Exception(\"Option '{$option[\"help\"]}' is required\");\n }\n }\n }\n\n }", "public function validateRequestData($request);", "static protected function MANDATORY( array|string $tag_name = null , array $request = null )\n{\n \n # PREPARE EMPTY ARRAY FOR CONTAINER APPENED\n $mandatory = [];\n\n # CHECK IF IT IS AN ARRAYS OF DATA THE IF YES ? \n # LOOP THE TAG NAME AND PROCESS THE REQUEST DATARETURN BACK TO THE USER AS MANDATORY ERROR MESSAGE !\n if( is_array( $tag_name ) ) {\n \n # LOOPING THE DATA BEGIN HERE !\n foreach ( $tag_name as $value ) \n {\n \n # CHECK IF THE POST VALUE IS NOT EMPTY OR NOT NULL ? !\n if( empty( $_POST[ $value ] ) || is_null( $_POST[ $value ] ) ) \n {\n \n # CHECK FOR A KEY FILTER ARRAYS FROM REQUEST ARRAY DATA VALIDATION\n if( SYSTEM::CHECK_KEY_MANDATORY_ARRAY( $value , $request ) ) : \n # IF SO , THEN PROCESS THE MANDATORY AND RETURN BACK TO THE USERS\n if( SYSTEM::CHECK_KEY_MANDATORY_ARRAY( SELF::MANDATORY , $request[$value] ) ) { $mandatory[] = (SYSTEM::SANITIZEREQUEST($request[$value][SELF::MANDATORY])); } \n endif;\n \n } \n\n } // END OF for each\n \n # RETURN ALL BACK TO THE USERS AS THEY MISS FILL IN THE MANDATORY \n return $mandatory;\n\n } \n \n # CHECK IF NOT ARRAY OR WHAT IF THIS IS A STRING VALUE MEAN ONE SINGLE VALUE ?\n else {\n\n # IF THIS IS NOT ARRAY ! \n if( SYSTEM::CHECK_KEY_MANDATORY_ARRAY( $tag_name , $request ) ) \n {\n # CHECK IF ISSET THE POST TAGS OR EMPTY AND ARRAYS\n # IF FALSE OR NOT THEN CHECK THE APPROPRIATE KEYS OF MANDATORY ARRAYS\n # RETURN BACK TO THE USER MANDATORY AS STRING OR SINGLE DATA\n if( empty( $_POST[$tag_name] ) || !isset( $_POST[$tag_name] ) || is_null( $_POST[$tag_name] ) ) { if( SYSTEM::CHECK_KEY_MANDATORY_ARRAY( SELF::MANDATORY , $request[$tag_name] ) ) { return $request[$tag_name][SELF::MANDATORY]; }\n \n } \n \n # ELSE RETURN NOTHING MEANS IT'S TOTALLY NULL\n else { return ''; }\n \n } \n\n }\n\n}", "abstract protected function validateRequest($request);", "protected function checkSpecificParams()\n {\n }", "private function checkArguments(Request $request)\n {\n if (null === $request->get('firstName')) {\n throw new MissingArgumentException($this->contactClass, 'firstName');\n }\n if (null === $request->get('lastName')) {\n throw new MissingArgumentException($this->contactClass, 'lastName');\n }\n if (null === $request->get('formOfAddress')) {\n throw new MissingArgumentException($this->contactClass, 'formOfAddress');\n }\n }", "abstract protected function _validateRequest(\\Zend_Controller_Request_Abstract $request);", "protected function validDataFromRequest()\n {\n return array_merge([\n 'obj_type',\n 'obj_id'\n ], parent::validDataFromRequest());\n }", "public function checkForNeededFields(Request $request, $neededFields)\n {\n foreach ($neededFields as $fieldName) {\n if (!$request->request->has($fieldName)) {\n throw new WrongInputExceptionArray(\n [$fieldName => \"This field is required\"]\n );\n }\n }\n }", "function haveEmptyParameters($required_params, $request, $response){\n $error = false; \n $error_params = '';\n $request_params = $request->getParsedBody(); \n \n foreach($required_params as $param){\n if(!isset($request_params[$param]) || strlen($request_params[$param])<=0){\n $error = true; \n $error_params .= $param . ', ';\n }\n }\n if($error){\n $error_detail = array();\n $error_detail['error'] = true; \n $error_detail['message'] = 'Required parameters ' . substr($error_params, 0, -2) . ' are missing or empty';\n $response->write(json_encode($error_detail));\n }\n return $error; \n}" ]
[ "0.637182", "0.6241881", "0.6208969", "0.60638034", "0.595063", "0.5949587", "0.5906014", "0.58616006", "0.58437705", "0.58279556", "0.58083564", "0.5794063", "0.5790966", "0.5732882", "0.5668836", "0.5668836", "0.56674147", "0.5636105", "0.56059504", "0.5605465", "0.55640435", "0.5555108", "0.5496742", "0.54865366", "0.54818547", "0.5426022", "0.5401307", "0.5387442", "0.53844225", "0.53829354" ]
0.6502423
0
Create css id for category
protected function getCssIdForCategory($category) { return self::CSS_ID_CATEGORY_NODE . $category->getCategoryId(); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function imgcat_id($format = '')\n {\n return $this->getVar('imgcat_id', $format);\n }", "public function get_css_id() {\n\t\t$id = $this->key;\n\t\t$id = strtolower( $id );\n\t\t$id = sanitize_title_with_dashes( $id );\n\n\t\treturn $id;\n\t}", "function category_id_class($classes) {\r\n\t\tglobal $post;\r\n\t\tforeach((get_the_category($post->ID)) as $category)\r\n\t\t\t$classes [] = 'cat-' . $category->cat_ID . '-id';\r\n\t\t\treturn $classes;\r\n\t}", "function category_id_class($classes) {\n\tglobal $post;\n\tforeach((get_the_category($post->ID)) as $category)\n\t\t$classes [] = 'cat-' . $category->cat_ID . '-id';\n\t\treturn $classes;\n}", "function category_id_class($classes) {\n\t\tglobal $post;\n\t\tforeach((get_the_category($post->ID)) as $category)\n\t\t\t$classes [] = 'cat-' . $category->cat_ID . '-id';\n\t\t\treturn $classes;\n\t}", "function category_id_class($classes) {\n\t\tif ( is_single() ) {\n\t\t\tglobal $post;\n\t\t\tforeach((get_the_category($post->ID)) as $category) $classes [] = 'cat-' . $category->cat_ID . '-id';\n\t\t}\n\t\treturn $classes;\n\t}", "function makeCategory($row) {\n\t\t$id = $row['id'];\n\t\t$caption = stripslashes($row['caption']);\n\t\t$def_name = stripslashes($row['def_name']);\n\t\tif (empty($def_name)) $def_name = \"&lt;Ingen verdi&gt;\";\n\t\t$def_time = stripslashes($row['def_time']);\n\t\t$def_responsible = stripslashes($row['def_responsible']);\n\t\tif (empty($def_responsible)) $def_responsible = \"&lt;Ingen verdi&gt;\";\n\t\tif (empty($def_time)) {\n\t\t\t$def_time = \"&lt;Ingen verdi&gt;\";\n\t\t} else {\n\t\t\t$def_time = explode(\"-\",$def_time);\n\t\t\t$dt_start = date(\"H:i\",$def_time[0]);\n\t\t\t$dt_end = date(\"H:i\",$def_time[1]);\n\t\t\tif ($dt_start == \"00:01\") $dt_start = \"?\";\n\t\t\tif ($dt_end == \"00:01\") $dt_end = \"?\";\n\t\t\t$def_time = \"$dt_start - $dt_end\";\n\t\t}\n\t\t$def_loc = stripslashes($row['def_loc']);\n\t\tif (empty($def_loc)) $def_loc = \"&lt;Ingen verdi&gt;\";\n\t\t\n\t\t$url_edit = $this->generateURL(array(\"action=ajaxEditCategory\",\"categoryId=$id\"));\n\t\t$url_edit_js = $this->generateURL(array(\"action=ajaxEditCategory\",\"categoryId=$id\"),true);\n\t\t$url_edit_js = \"AjaxRequestData(\\\"category_$id\\\",\\\"$url_edit_js\\\"); return false;\";\n\t\t\n\t\treturn \"<strong>$caption</strong> [<a href=\\\"$url_edit\\\" onclick='$url_edit_js'>Rediger</a>]<br />\n\t\t\t\t<table style='font-size:10px; color: #666666; margin-bottom: 10px;'>\n\t\t\t\t\t<tr><td style='text-align:right;'>Default name: </td><td>$def_name</td></tr>\n\t\t\t\t\t<tr><td style='text-align:right;'>Default time: </td><td>$def_time</td></tr>\n\t\t\t\t\t<tr><td style='text-align:right;'>Default location: </td><td>$def_loc</td></tr>\n\t\t\t\t\t<tr><td style='text-align:right;'>Default responsible: </td><td>$def_responsible</td></tr>\n\t\t\t\t</table>\n\t\t\";\n\t}", "public function getCategoryID() {\n\t\t\treturn \tget_cat_id($this->getCategoryName());\n\t\t}", "function id($format = 'N')\n {\n return $this->getVar('imgcat_id', $format);\n }", "public static function newId() {\n\t\t$id = self::getSetting( 'id_iterator', 1 );\n\t\tself::setSetting( 'id_iterator', $id + 1 );\n\t\treturn \"font-{$id}\";\n\t}", "function udesign_wpml_replace_category_id(&$id) {\n\tglobal $sitepress;\n\t$deflang = $sitepress->get_default_language();\n\tif(ICL_LANGUAGE_CODE == $deflang) return;\n $cat = get_category($id);\n\t$id = $cat->term_id;\n }", "function get_category_id( $cat_name ){\n\t$term = get_term_by( 'name', $cat_name, 'category' );\n\treturn $term->term_id;\n}", "public static function getCatId() {\n\t\tif (isset($_GET['id'])) {\n\t\t\t$id = htmlspecialchars(($_GET['id']));\n\n\t\t\t$getCatManager = new CategoryManager();\n\t\t\t$getCatsId = $getCatManager->getCat($id);\n\t\t\trequire 'view/back/updateCategoryView.php';\n\t\t} \n\t}", "public function getIdCategory(){\n\t\treturn $this->idCategory;\t\n\t}", "public function getIdcategory()\n {\n return $this->idcategory;\n }", "public function getIdentifier()\n {\n return 'css';\n }", "public function categoria($id)\r\n\t{\r\n\t\treturn $id;\r\n }", "protected function RenderIDAttr() {\n\t$id = $this->GetKeyValue();\n\treturn \"title-$id\";\n }", "protected function get_id_for_acf(): string {\n\t\treturn 'term_' . $this->get_id();\n\t}", "public function getCategoryID() {\r\n\r\n\t\t$this->errorReset();\r\n\r\n\t\treturn $this->categoryID;\r\n\t}", "public function get_id_category()\n\t{\n\t\treturn $this->id_category;\n\t}", "public function categoryId(): Attribute\n {\n return Attribute::make(\n get: fn ($value) => $this->hasCategoryIdAttribute()\n ? $value\n : ($this->categories()->count() === 1 ? $this->categories()->first()?->id : null),\n set: fn ($value) => $this->hasCategoryIdAttribute()\n ? $value\n : self::$categoryIds = $value\n );\n }", "function get_cat_ID($cat_name='General') {\r\n\tglobal $gcdb;\r\n\t\r\n\t$cid = $gcdb->get_var(\"SELECT tag_ID FROM $gcdb->tags WHERE tag_name='$cat_name'\");\r\n\r\n\treturn $cid?$cid:1;\t// default to cat 1\r\n}", "public function id()\n {\n return $this->category->term_id;\n }", "public function getId_category()\n {\n return $this->id_category;\n }", "public function getCategory_id()\n {\n return $this->category_id;\n }", "function sc_newscategory($parm=null)\n\t{\n\t\t$category_name = e107::getParser()->toHTML($this->news_item['category_name'], FALSE ,'defs');\n\t\t$category = array('id' => $this->news_item['category_id'], 'name' => $this->news_item['category_sef'] );\n\t\t$categoryClass = varset($GLOBALS['NEWS_CSSMODE'],'');\n\t\treturn \"<a class='\".$categoryClass.\"_category' style='\".(isset($this->param['catlink']) ? $this->param['catlink'] : \"#\").\"' href='\".e107::getUrl()->create('news/list/category', $category).\"'>\".$category_name.\"</a>\";\n\t}", "public function lblCategoryTypeId_Create($strControlId = null) {\n\t\t\t$this->lblCategoryTypeId = new QLabel($this->objParentObject, $strControlId);\n\t\t\t$this->lblCategoryTypeId->Name = QApplication::Translate('Category Type');\n\t\t\t$this->lblCategoryTypeId->Text = ($this->objCannedStrategy->CategoryTypeId) ? CategoryType::$NameArray[$this->objCannedStrategy->CategoryTypeId] : null;\n\t\t\treturn $this->lblCategoryTypeId;\n\t\t}", "function category($id) {\n\treturn $_ENV['dbi']->getfield('categoriess','category','cid',$id);\n}", "public function getIdCategory()\n {\n return $this->idCategory;\n }" ]
[ "0.6587947", "0.6575289", "0.6534118", "0.6510658", "0.64966124", "0.6210446", "0.6179711", "0.6154302", "0.614288", "0.61245185", "0.6017163", "0.5990102", "0.5924552", "0.59088737", "0.58971107", "0.5887665", "0.58866173", "0.5881107", "0.58734566", "0.58613795", "0.58596826", "0.5854918", "0.5778095", "0.57741714", "0.57706887", "0.5742688", "0.5741921", "0.5725033", "0.5722342", "0.571875" ]
0.6658133
0
Create css id for category parent node
protected function getCssIdForCategoryParent($category) { return $category->getParentId() == CategoryInterface::ROOT_CATEGORY_PARENT_ID ? self::CSS_ID_CATEGORY_NODE_EMPTY_PARENT : self::CSS_ID_CATEGORY_NODE . $category->getParentId(); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function get_parent_id()\n {\n return $this->get_default_property(self :: PROPERTY_PARENT_ID);\n }", "public function getParentId(): string;", "protected function getParentCategoryByLevelComment()\n {\n $html = '<b>[parent_category_1]</b> - ' . __('outputs the 1st parent category name. It equals to [parent_category]') . ';';\n $html .= '<br>' . '<b>[parent_category_2]</b> - ' . __('outputs the 2st parent category name') . ';';\n $html .= '<br>&nbsp;&nbsp;&nbsp;&nbsp;' . __('etc.');\n $html .= '<br>&nbsp;&nbsp;&nbsp;&nbsp;' . __('The orders of the parent categories is as follows: <br>&nbsp;&nbsp;&nbsp;&nbsp; yoursite/parent_category_3/parent_category_2/parent_category_1/category.html') . ';';\n return $html;\n }", "protected function getParentCategoryComment()\n {\n return '<b>[parent_category]</b> - ' . __('output a parent category name') . ';';\n }", "public function getParentId()\n\t{\n\t\tif( isset( $this->values[$this->prefix . 'parentid'] ) ) {\n\t\t\treturn (string) $this->values[$this->prefix . 'parentid'];\n\t\t}\n\n\t\treturn '';\n\t}", "protected function _getParentCategoryId()\n {\n if (!isset($_REQUEST['parent_category_id'])) {\n $this->session->data['errors'][] = $this->language->get('error_parent_category_id_not_found');\n $this->response->redirect($this->url->link('module/excel_documents_import', 'token=' . $this->session->data['token']));\n }\n\n $id = (int)$_GET['parent_category_id'];\n \n return $id;\n }", "public function getParentIdName();", "public function getParentIdColumn()\n {\n return 'categorie_id';\n }", "public function getParentId() {\n return Util::getItem($this->wpTerm, 'parent', 0);\n }", "function getParentId() {\n return $this->getFieldValue('parent_id');\n }", "public function getParentId()\n { return $this->parentId; }", "public function getParentId(): int;", "public function getParentId();", "public function getParentId();", "public function getParentId();", "public function getParentId();", "public function getParentId() {\r return $this->parentId;\r }", "public function parseParentYF(array $category): string\n\t{\n\t\t$parentsId = $this->getParentsIds($category['id']);\n\t\tif (!empty($parentsId)) {\n\t\t\t$parentsId[0] = 'T' . $parentsId[0];\n\t\t\t$parentId = implode('::T', $parentsId);\n\t\t} else {\n\t\t\t$parentId = 'T' . $category['parent_id'];\n\t\t}\n\t\treturn $parentId;\n\t}", "function get_parent_id() {\n return $this->parent;\n }", "abstract protected function doGetInternalParentId();", "public function getCategoryParentAttribute()\n {\n if ($this->parent_id == config('app.parent')) {\n return trans('labels.root');\n } else {\n return $this->parent['name'];\n }\n }", "function cfcpt_parent_cat_select($parent=null,$i) {\n\t\t$selected = null;\n\t\t$args = array(\n\t\t\t'hide_empty' => 0, \n\t\t\t'name' => 'category_parent[]', \n\t\t\t'orderby' => 'name', \n\t\t\t'hierarchical' => true, \n\t\t\t'show_option_none' => __('None'),\n\t\t\t'echo' => 0\n\t\t);\n\t\tif(is_object($parent)) {\n\t\t\t$args['selected'] = $parent->cat_ID; \n\t\t\t\n\t\t}\n\t\treturn '<div id=\"parent-cat-'.$i.'\"><label for=\"special_cat_parent_select\">Parent Category '.$i.'</label>'.wp_dropdown_categories($args).'</div>';\t\t\n\t}", "private function getParentId() {\n return (int) Xss::filter($this->request->get('pid'));\n }", "public function getParentId()\n {\n return $this->parent_id;\n }", "public function getParentId()\n {\n return $this->parent_id;\n }", "protected function getCssIdForCategory($category)\n {\n return self::CSS_ID_CATEGORY_NODE . $category->getCategoryId();\n }", "public function getParentIdColumn(): string\n {\n return LaravelTree::COLUMN_PARENT_ID;\n }", "function cfcpt_get_new_parent_cat_select() {\n\t\t$num = intval($_POST['new_num']);\n\t\techo urlencode(cfcpt_parent_cat_select(0,$num));\n\t\texit;\n\t}", "private function nameParent( $ali_id ) {\n\n\n\t\treturn ae_search_category_by_id( $ali_id );\n\t}", "public function getParentId()\n\t{\n\t\treturn $this->parentId; \n\n\t}" ]
[ "0.6469649", "0.6448945", "0.64372724", "0.6420368", "0.64152724", "0.641007", "0.6409268", "0.6398026", "0.63280004", "0.62385386", "0.622847", "0.62099254", "0.61887085", "0.61887085", "0.61887085", "0.61887085", "0.61873645", "0.6146315", "0.61083794", "0.61062056", "0.61015874", "0.608659", "0.6085513", "0.6076185", "0.6076185", "0.60570586", "0.6047365", "0.60419774", "0.6020721", "0.5952127" ]
0.6761977
0
Create css id for article
protected function getCssIdForArticle($article) { return self::CSS_ID_ARTICLE_NODE . $article->getArticleId(); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function createID(){\n $dtAcc = new DataAccess();\n \n $preID = $dtAcc->runQuery('SELECT art_id FROM Articles ORDER BY art_id LIMIT 0, 1');\n \n if($preID->rowcount() > 0){\n foreach ($temp as $row){\n $oldID = $row['art_id'];\n }\n } else {\n $oldID = '0000';\n }\n \n $temp = $oldID + 1;\n \n return substr($oldID, 0, strlen($id)-1) . $temp;\n }", "public static function newId() {\n\t\t$id = self::getSetting( 'id_iterator', 1 );\n\t\tself::setSetting( 'id_iterator', $id + 1 );\n\t\treturn \"font-{$id}\";\n\t}", "public function get_css_id() {\n\t\t$id = $this->key;\n\t\t$id = strtolower( $id );\n\t\t$id = sanitize_title_with_dashes( $id );\n\n\t\treturn $id;\n\t}", "protected function RenderIDAttr() {\n\t$id = $this->GetKeyValue();\n\treturn \"title-$id\";\n }", "function add_id_to_headings( $html ) {\n\n // Store all headings of the post in an array\n $tagNames = array( 'h1', 'h2', 'h3', 'h4', 'h5', 'h6' );\n $headings = array();\n $headingContents = array();\n foreach ( $tagNames as $tagName ) {\n $nodes = $html->getElementsByTagName( $tagName );\n foreach ( $nodes as $node ) {\n $headings[] = $node;\n $headingContents[ $node->textContent ] = 0;\n }\n }\n\n foreach ( $headings as $heading ) {\n\n $title = $heading->textContent;\n\n if ( $title === '' ) {\n continue;\n }\n\n $count = ++$headingContents[ $title ];\n\n $suffix = $count > 1 ? \"-$count\" : '';\n\n $slug = sanitize_title( $title );\n $heading->setAttribute( 'id', $slug . $suffix );\n }\n\n}", "public function getIdentifier()\n {\n return 'css';\n }", "public function addParagraphsID(string $html) : string\n\t{\n\t\t// Give the opportunity to the webmaster to choice his\n\t\t// prefix, use an option for this\n\t\t$aeSettings = \\MarkNotes\\Settings::getInstance();\n\t\t$options = 'plugins.options.page.html.anchor';\n\t\t$arr = $aeSettings->getPlugins($options);\n\t\t$prefix = trim($arr['paragraph_prefix']) ?? 'par';\n\n\t\t// Small cleaning in case of\n\t\t$aeFunctions = \\MarkNotes\\Functions::getInstance();\n\t\t$prefix = $aeFunctions->slugify(strip_tags($prefix));\n\n\t\t// And add a final underscore before starting the\n\t\t// numbering\n\t\t$prefix = rtrim($prefix, '_') . '_';\n\n\t\t$dom = new \\DOMDocument();\n\n\t\t$dom->preserveWhiteSpace = false;\n\t\t$dom->encoding = 'utf-8';\n\n\t\t// IMPORTANT !!! Add xml encoding to keep emoji f.i.\n\t\t@$dom->loadHTML('<?xml encoding=\"utf-8\" ?>' . $html);\n\n\t\t$xpath = new \\DOMXPath($dom);\n\n\t\t$arrDOM = ['p'];\n\n\t\tfor ($i = 0; $i < count($arrDOM); ++$i) {\n\t\t\t$list = $xpath->query('//' . $arrDOM[$i]);\n\t\t\tfor ($j = 0; $j < $list->length; ++$j) {\n\t\t\t\t$node = $list->item($j);\n\t\t\t\t$node->setAttribute('id', $prefix . $j);\n\t\t\t}\n\t\t}\n\n\t\t$html = $dom->saveHTML($dom->documentElement);\n\n\t\t// The saveHTML method here above will automatically add <html>\n\t\t// and <body> tags and we don't want them since the HTML string\n\t\t// will be injected into a template file so remove these tags\n\t\t$tags = ['html', 'body'];\n\t\tforeach ($tags as $tag) {\n\t\t\t$html = preg_replace('/<\\\\/?' . $tag . '(.|\\\\s)*?>/', '', $html);\n\t\t}\n\n\t\treturn $html;\n\t}", "private function getNewsId()\n {\n $news = explode('_', $this->item->find(' .views ')->attr('id'));\n $this->id = $news[5];\n \n return $this->id;\n }", "private function makeId()\n {\n $random = mt_rand();\n $random = md5($random);\n $random = substr($random,0,12);\n $name = $this->config['name'];\n $length = strlen($name);\n \n if($length > 22){\n $name = substr($name,0,22);\n }\n\n return $name.\"-\".$random;\n }", "public function generateContentID($id)\r\n {\r\n\t\treturn ContentDiscussed::CONTENT_PREFIX.$id;\r\n }", "function getId() {\n\t\t// Replace special characters in XPath-like names\n\t\t// as 'person-group[@person-group-type=\"author\"]'.\n\t\t$from = array(\n\t\t\t'[', ']', '@', '\"', '='\n\t\t);\n\t\t$to = array(\n\t\t\t'-', '', '', '', '-'\n\t\t);\n\t\t$propertyId = trim(str_replace($from, $to, $this->getName()), '-');\n\t\t$propertyId = String::camelize($propertyId);\n\t\treturn $propertyId;\n\t}", "protected static function createId() {\n if (!isset(self::$_idFormat)) {\n self::$_idFormat = sprintf('wmailer.id.%.5f.%d.%%05d', microtime(true), rand(1000, 9999));\n }\n return sprintf(self::$_idFormat, ++self::$_idIndex);\n }", "public function __newID() {\n\t\treturn ('#'.$this->propertyTable['ID']);\n\t}", "public function getArticleId() : uuid{\n\treturn($this->articleId);\n}", "protected function getCssIdById(string $id): string\n {\n return str_replace('.', '-', $id);\n }", "function getArticleId() {\n\t\treturn $this->getData('articleId');\n\t}", "function getArticleId() {\n\t\treturn $this->getData('articleId');\n\t}", "function getArticleId() {\n\t\treturn $this->getData('articleId');\n\t}", "function getRefId()\n\t{\n\t\treturn \"\";\n\t\t//$this->ilias->raiseError(\"Operation ilObjStyleSheet::getRefId() not allowed.\",$this->ilias->error_obj->FATAL);\n\t}", "protected function setBoxIdentifier()\n {\n $this->boxIdentifier = 'js_box_identifier_' . uniqid();\n $this->getBox()->addClass(\" $this->boxIdentifier \")->addBoxBodyClasses(' table-responsive ');\n }", "private function _get_section_id() {\n $section_id = '';\n\n // In DTD XML, we used to extract a substring of article ID to get a unique\n // section ID. This is not possible with schema XML as Tournesol uses a \n // a different convention for generating article IDs. \n \n // Instead, base section ID on section title. Remove whitespace and\n // punctuation and encode down to Latin-1 characters.\n $section_id = \n strtoupper(\n preg_replace(\n \"/[[:punct:][:space:]]/\", // remove whitespace & punct.\n \"\",\n iconv('UTF-8', 'ASCII//TRANSLIT', $this->_get_section_title()) // after down-coding to ASCII\n )\n );\n \n return $section_id;\n }", "function the_faq_article_id() {\n\n // Get article\n $article = md_the_component_variable('support_faq_article');\n\n // Verify if article exists\n if ( $article ) {\n return $article['article'][0]->article_id;\n } else {\n return '0';\n }\n \n }", "function _generateId(){\n static $idx = 1;\n\n if (!$this->getAttribute('id')) {\n $this->updateAttributes(array('id' => 'id_'. substr(md5(microtime() . $idx++), 0, 6)));\n }\n }", "function get_id() {\n\t\treturn '';\n\t}", "function drawArticle($blog, $article_id);", "protected function get_id_for_acf(): string {\n\t\treturn 'term_' . $this->get_id();\n\t}", "protected function generateId()\n {\n return $this->stringToId( $this->getViewName() );\n }", "function make_editor_article( $contentObj ) {\n\t\n\t$numOfSrcs = $contentObj[ 'numOfSrcs' ];\n\t$content = $contentObj[ 'content' ];\n\t$date_time = $contentObj[ 'date_time' ];\n\t\n$editor_article = <<<EOD\n<article class=\"article\" data-date_time=\"$date_time\">\n\t<div id=\"editor-$date_time\" class=\"articleBody\" data-source_count=\"{$numOfSrcs}\" tabindex=\"-1\">$content</div>\n</article>\n<footer class=\"editorFooter\">\n\t<button type=\"button\" tabindex=\"-1\" class=\"addNextDoc ir menuBtn launchCreate\" data-create_project=\"nope\">add a new doc</button>\n\t<button type=\"button\" tabindex=\"-1\" class=\"deletePrevDoc ir menuBtn\">delete the previous doc</button>\n</footer>\nEOD;\n\n\treturn $editor_article;\n}", "function prefixToHTMLID($string2convert,$anchor_prefix='toc_')\r\n{\r\n return $anchor_prefix . str_replace('.', '_', $string2convert);\r\n}", "public function getArticleId()\r\n {\r\n return $this->articleId;\r\n }" ]
[ "0.6424176", "0.6334603", "0.633051", "0.62607455", "0.61815155", "0.5997327", "0.5742076", "0.5722237", "0.5677895", "0.5653205", "0.5650241", "0.5626707", "0.5624208", "0.5609598", "0.56053436", "0.5579429", "0.5579429", "0.5579429", "0.5578301", "0.5573057", "0.5565453", "0.5565178", "0.5562746", "0.5557459", "0.5557196", "0.5555407", "0.5524549", "0.5521739", "0.5521568", "0.5518974" ]
0.73480886
0
Check if category opened
protected function isCategoryOpened($category) { $result = false; if ($category->getParentId() == CategoryInterface::ROOT_CATEGORY_PARENT_ID) { $result = true; } if ($this->currentArticle && $this->faqCategoryManager->isArticleDescendantOfCategory($this->currentArticle, $category)) { $result = true; } if ($this->currentCategory && $this->faqCategoryManager->isCategoryDescendantOfCategory($this->currentCategory, $category)) { $result = true; } return $result; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function hasCurrentCategory();", "public function isCategory() {\n\t\treturn $this->libraryType == self::TYPE_CATEGORY;\n\t}", "public function hasCategory()\n {\n if ($this->category) {\n return true;\n }\n\n return false;\n }", "public function inCategoria() {\n\t\treturn $this->inCat;\n\t}", "function categorized_blog() {\n\t$category_count = get_transient( __NAMESPACE__ . '\\categories' );\n\n\tif ( false === $category_count ) {\n\t\t$category_count_query = get_categories( [ 'fields' => 'count' ] );\n\n\t\t$category_count = isset( $category_count_query[0] ) ? (int) $category_count_query[0] : 0;\n\n\t\tset_transient( __NAMESPACE__ . '\\categories', $category_count );\n\t}\n\n\treturn $category_count > 1;\n}", "public function areOpen(): bool;", "public function hasCategoryList(){ // static ot not?\n\t\treturn false;\n\t}", "public function hasCategoryList(){ // static ot not?\n\t\treturn false;\n\t}", "function findOpenByCategory($category, $min_state = STATE_VISIBLE, $min_visibility = VISIBILITY_NORMAL) {\n return ProjectObjects::find(array(\n 'conditions' => array('parent_id = ? AND type = ? AND state >= ? AND visibility >= ? AND completed_on IS NULL', $category->getId(), 'Ticket', $min_state, $min_visibility),\n 'order' => 'ISNULL(position) ASC, position, priority DESC',\n ));\n }", "public static function hasCreateCategory()\n {\n return static::enabled(static::categoryCreate());\n }", "public function getCategory(){\n $category = Mage::getModel(\"zangirolami_news/category\")->load(1);\n if($category && $category->getId()) { //se esiste e se ha un id\n return $category;\n }\n return false; //è come se fosse in un else\n }", "public function getCategory()\n {\n $category = Mage::getModel('calamandrei_news/category')->load($this->getCategoryId());\n if($category && $category->getId()) {\n return $category;\n }\n return false;\n }", "public function isCategoryPage()\n {\n $isCategoryPage = false;\n if (!is_null($this->getFrontControllerName())\n && !is_null($this->getCurrentCategory())\n ) {\n $isCategoryPage = true;\n }\n\n return $isCategoryPage;\n }", "public function hasOpenfunction(){\n return $this->_has(14);\n }", "public function is_contestant()\n\t{\n\t\treturn $this->get_session_data('category_id') > 1;\n\t}", "function follet_categorized_blog() {\n\tif ( false === ( $follet_categories_list = get_transient( 'follet_categories_list' ) ) ) {\n\t\t// Create an array of all the categories that are attached to posts.\n\t\t$follet_categories_list = get_categories( array(\n\t\t\t'hide_empty' => 1,\n\t\t) );\n\n\t\t// Count the number of categories that are attached to the posts.\n\t\t$follet_categories_list = count( $follet_categories_list );\n\n\t\tset_transient( 'follet_categories_list', $follet_categories_list );\n\t}\n\n\tif ( '1' != $follet_categories_list ) {\n\t\t// This blog has more than 1 category so follet_categorized_blog should return true.\n\t\treturn true;\n\t}\n\t// This blog has only 1 category so follet_categorized_blog should return false.\n\treturn false;\n}", "static function handle_categories(){\n\t\treturn self::check_categories();\n\t}", "function uwmadison_categorized_blog() {\n if ( false === ( $all_the_cool_cats = get_transient( 'uwmadison_categories' ) ) ) {\n // Create an array of all the categories that are attached to posts.\n $all_the_cool_cats = get_categories( array(\n 'fields' => 'ids',\n // We only need to know if there is more than one category.\n 'number' => 2,\n ) );\n\n // Count the number of categories that are attached to the posts.\n $all_the_cool_cats = count( $all_the_cool_cats );\n\n set_transient( 'uwmadison_categories', $all_the_cool_cats );\n }\n\n if ( $all_the_cool_cats > 1 ) {\n // This blog has more than 1 category so uwmadison_categorized_blog should return true.\n return true;\n } else {\n // This blog has only 1 category so uwmadison_categorized_blog should return false.\n return false;\n }\n}", "private function isCategoryVisible(\\Magento\\Catalog\\Model\\Category $category)\n {\n if (!$this->helper->isCategoryVisibilityEnabled()) {\n return true;\n }\n\n $catId = $category->getStoreCategoryId();\n $account_group_id = $this->helper->getCurrentAccountGroupId();\n\n if($account_group_id === false){\n //Customer is not logged in\n return true;\n }\n\n $groupRuleCount = $this->resourceConn->getConnection()->fetchOne(\n \"SELECT COUNT(*) FROM {$this->catVisTable} WHERE account_group_id = :account_group_id\",\n [\":account_group_id\" => $account_group_id]\n );\n\n if($groupRuleCount == 0) {\n //This account group has no category visibility rules, everything is public\n return true;\n }\n\n $accountGroupIds = $this->resourceConn->getConnection()->fetchCol(\n \"SELECT account_group_id FROM {$this->catVisTable} WHERE category_id = :category_id\",\n [\":category_id\" => $catId]\n );\n\n if(in_array($account_group_id, $accountGroupIds)){\n //Customer is logged in and their account can see this category\n return true;\n }\n\n //Private and account (if any) has no perms to view\n return false;\n }", "public function hasFeaturedCategories() {\r\n $data = $this->getItemData();\r\n if (isset($data['featured_type']) && $data['featured_type']) {\r\n if ($data['featured_type'] == '2') {\r\n if ($this->getFeaturedCategories() && count($this->getFeaturedCategories()))\r\n return true;\r\n }\r\n }\r\n return false;\r\n }", "public function isContentMode()\n {\n $res = parent::isContentMode();\n $category = $this->getCurrentCategory();\n $filters = Mage::helper('adjnav')->getParams();\n if ($res && $category->getIsAnchor() && sizeof($filters)>0) {\n $res = false;\n }\n return $res;\n }", "function _checkValidCategories()\n\t{\n\t\t$component_name = \"com_jevents\";\n\n\t\t$db = Factory::getDbo();\n\t\t$query = \"SELECT COUNT(*) AS count FROM #__categories WHERE extension = '$component_name' AND `published` = 1;\"; // RSH 9/28/10 added check for valid published, J!1.6 sets deleted categoris to published = -2\n\t\t$db->setQuery($query);\n\t\t$count = intval($db->loadResult());\n\t\tif ($count <= 0)\n\t\t{\n\t\t\t// RSH 9/28/10 - Added check for J!1.6 to use different URL for reroute\n\t\t\t$redirectURL = \"index.php?option=com_categories&view=categories&extension=\" . JEV_COM_COMPONENT;\n\t\t\t$this->setRedirect($redirectURL, \"You must first create at least one category\");\n\t\t\t$this->redirect();\n\t\t}\n\n\t}", "function have_categories_custom( $category = array() ) {\r\n return \\query\\main::have_categories( $category );\r\n}", "function check_category($catid)\n {\n $this->db = ORM::factory('category')\n ->where('id', '=', $catid)\n ->find();\n\n if(!empty($this->db->id))\n {\n return TRUE;\n }\n else {\n return FALSE;\n }\n }", "public function getCurrentCategory();", "public function isOnline()\n {\n $query = 'SELECT * FROM '. rex::getTablePrefix() .'d2u_courses_url_categories '\n .'WHERE category_id = '. $this->category_id;\n $result = rex_sql::factory();\n $result->setQuery($query);\n $num_rows = $result->getRows();\n\n if ($num_rows > 0) {\n return true;\n }\n\n return false;\n\n }", "function communityservice_template_loop_category_link_open( $category ) {\n\t\techo '<a href=\"' . esc_url( get_term_link( $category, 'task_cat' ) ) . '\">';\n\t}", "function vantage_categorized_blog() {\n\tif ( false === ( $count = get_transient( 'vantage_categorized_blog_cache_count' ) ) ) {\n\t\t// Count the number of non-empty categories\n\t\t$count = count( get_categories( array(\n\t\t\t'hide_empty' => 1,\n\t\t) ) );\n\t\t\n\t\t// Count the number of categories that are attached to the posts\n\t\tset_transient( 'vantage_categorized_blog_cache_count', $count );\n\t}\n\t\n\t// Return true if this blog has categories, or else false.\n\treturn ($count >= 1);\n}", "protected function _isAllowed()\n {\n return $this->_authorization->isAllowed('Magento_Catalog::categories');\n }", "public function isOpen();" ]
[ "0.7271962", "0.65752625", "0.6450735", "0.64141935", "0.6069644", "0.6060191", "0.60471916", "0.60471916", "0.6026458", "0.5861235", "0.58558965", "0.585084", "0.5848115", "0.58255625", "0.5813558", "0.57767946", "0.5766243", "0.57229155", "0.5713883", "0.5703265", "0.5691535", "0.5683402", "0.5655794", "0.56505716", "0.56361115", "0.5631978", "0.562185", "0.56125253", "0.56075543", "0.56065905" ]
0.6728199
1
For extended sleep times we still try to do pings and check for SIGTERM. TODO For very long sleeps this will drift and sleep longer than requested
private function sleep(): void { $toSleep = $this->sleepSeconds; $toPing = 0; while ($toSleep > 0 && !$this->app->isTermSignalReceived()) { sleep(min(10, $toSleep)); $toSleep -= 10; $toPing++; if ($toPing == 4) { $this->app->ping(); $toPing = 0; } } }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function __sleep()\n {\n $this->shutdown();\n }", "public static function handle_sleep()\n{\n if (!is_array(self::$events)) {\n return false;\n }\n\n $msg = array();\n $host_info = self::get_host_info();\n /*\n\nif (!array_key_exists('seconds', self::$events))\n{\n return false;\n}\n\n foreach (self::$events['seconds'] as $second=>$runmodes)\n {\n foreach ($runmodes as $runmode=>$classes)\n {\n foreach ($classes as $class=>$types)\n {\n foreach ($types as $type=>$stat)\n {\n // Only doing Requests per Second\n if ($type = 'requests')\n {\n foreach (self::$downsamplers as $downsample)\n {\n $value = $stat->{$downsample}();\n $format = \"webapp2.%s.%s.%s %s %s type=%s\\n\";\n $msg[] = sprintf($format, $runmode, $class, $downsample, $second, $value, $type);\n }\n }\n }\n }\n }\n }\n */\n\n if (!array_key_exists('minutes', self::$events)) {\n return false;\n }\n\n foreach (self::$events['minutes'] as $minute => $runmodes) {\n foreach ($runmodes as $runmode => $classes) {\n foreach ($classes as $class => $types) {\n foreach ($types as $type => $stat) {\n\n foreach (self::$downsamplers as $downsample) {\n $value = $stat->{$downsample}();\n $format = \"webapp2.%s.%s.1m.%s %s %s type=%s\\n\";\n $msg[] = sprintf($format, $runmode, $class, $downsample, $minute, $value, $type);\n }\n }\n }\n }\n }\n\n $sender = new Sender();\n $sender->send_metrics($msg);\n\n unset($msg);\n self::$events = array();\n}", "final private function __sleep() {}", "private function __sleep() { }", "public static function sleep()\n\t{\n\t\t// TODO: Implement sleep() method.\n\t}", "public function sleeps() {\n if ($this->times > 0 ) {\n\n if ($this->asyncTimer) {\n $this->trigger(null, 'call', $this->times);\n\n } else {\n $this->runTick('once', $this->times);\n }\n }\n }", "public function __sleep() {}", "public function __sleep() {\n\t}", "public function __sleep()\n\t{\n\t}", "public function sleep()\n\t{\n\t}", "public function sleep()\n\t{\n\t}", "protected function batchSleep()\n {\n $eventSleepTime = $this->factory->getParameter('batch_event_sleep_time', false);\n if ($eventSleepTime === false) {\n $eventSleepTime = $this->factory->getParameter('batch_sleep_time', 1);\n }\n\n if (empty($eventSleepTime)) {\n\n return;\n }\n\n if ($eventSleepTime < 1) {\n usleep($eventSleepTime * 1000000);\n } else {\n sleep($eventSleepTime);\n }\n }", "public function __sleep()\n {\n $sleep = parent::__sleep();\n $sleep[] = 'runtimeAdapters';\n\n return $sleep;\n }", "function time_sleep_until ($timestamp) {}", "function sig_handler($signo){\r\n if ($signo == SIGTERM || $signo == SIGHUP || $signo == SIGINT /*|| $signo == SIGSTOP*/){\r\n sleep(2);\r\n set_paused();\r\n exit();\r\n }\r\n}", "public function __sleep(){\n\n\t}", "function sleep() { return null; }", "function __sleep(){\n shm_detach($this->id);\n }", "private function setExecuteWallTimeCooldown(): void\n {\n // This will make sure this is always called async\n pcntl_async_signals(1);\n pcntl_signal(SIGALRM, [$this, \"crystalTaskExecuteCooldown\"]);\n pcntl_alarm($this->_cooldown);\n }", "function forceRestartAsterisk() {\n\t//We will restart asterisk if uptime is higher than \"minutes\"\n\tglobal $astman;\n\t$ret=false;\n\t//We don't use astman, it freeze current php process \n\tsystem(\"nohup asterisk -rx 'core restart now'\",$ret);\n\tif($ret=='0'){\n\t\treturn array('Forced restart: wait 3s...','');\n\t}else{\n\t\treturn array('Error','red');\n\t}\n}", "private function catcher() {\n\n foreach ( $this->tracker->getRunning() as $uid => $request ) {\n\n if ( ProcessTools::isRunning($request->getPid()) === false ) {\n\n $this->ipc->close($uid, Ipc::WRITER);\n\n try {\n\n $raw_output = $this->ipc->read($uid);\n\n $result = unserialize(rtrim($raw_output));\n\n $this->ipc->close($uid, Ipc::READER);\n\n } catch (Exception $e) {\n\n $result = self::generateSyntheticResult($uid, $e->getMessage(), $request->getJid(), false);\n\n }\n\n if ( $request->isChain() ) $this->evalChain($request, $result);\n\n $this->updateTrackerSetCompleted($uid, $result);\n\n $success = $result->success === false ? \"error\" : \"success\";\n $this->logger->notice(\"Task \".$request->getName().\"(uid: \".$request->getUid().\") ends in $success\");\n\n } else {\n\n $current_time = microtime(true);\n\n $request_max_time = $request->getMaxtime();\n $maxtime = $request_max_time === null ? $this->max_runtime : $request_max_time;\n\n if ( $current_time > $request->getStartTimestamp() + $maxtime ) {\n\n $pid = $request->getPid();\n\n $this->logger->warning(\"Killing pid $pid due to maximum exec time reached\", [\n \"START_TIME\" => $request->getStartTimestamp(),\n \"CURRENT_TIME\" => $current_time,\n \"MAX_RUNTIME\" => $maxtime\n ]);\n\n $kill = ProcessTools::term($pid, $this->lagger_timeout);\n\n if ( $kill ) {\n $this->logger->warning(\"Pid $pid killed\");\n } else {\n $this->logger->warning(\"Pid $pid could not be killed\");\n }\n\n $this->ipc->hang($uid);\n\n $result = self::generateSyntheticResult($uid, \"Job killed due to max runtime reached\", $request->getJid(), false);\n\n if ( $request->isChain() ) $this->evalChain($request, $result);\n\n $this->updateTrackerSetCompleted($uid, $result);\n\n $this->logger->notice(\"Task \".$request->getName().\"(uid: $uid) ends in error\");\n\n }\n\n }\n\n }\n\n }", "private function slow_heartbeat()\n {\n add_filter(\"heartbeat_settings\", function ($settings) {\n $settings[\"interval\"] = 60;\n return $settings;\n });\n }", "function sleep ($seconds) {}", "protected function _ping() {\n\t\texit ( header ( \"Connection: close\" ) );\n\t}", "public function __sleep() {\n return array_merge(array('hooks'), parent::__sleep());\n }", "protected function _ping()\n\t{\n\t\texit(header(\"Connection: close\"));\n\t}", "public function runTimedChecks()\n {\n $this->checkAutomated();\n $this->checkDebt();\n }", "function _detectDeadChilds()\n {\n foreach ($this->_executeThreadPool as $idx => $executeThread) {\n if ($executeThread->getLastAlive() > $this->_maxIdleTime) {\n // this thread is not responding, probably [defunct]\n $threadName = $executeThread->getName();\n print time() . \"-\" . $this->getName() . \"-\" . $threadName . \" seems to be died...\\n\";\n // so let's kill it...\n $executeThread->stop();\n\n unset($executeThread);\n // remove this thread from the pool\n array_splice($this->_executeThreadPool, $idx, 1);\n // and add them to the \"to be respawned\" thread list...\n $this->_respawnThread[] = $threadName;\n // stop this foreach\n break;\n }\n }\n }", "private function _uptime()\n {\n $this->sys->setUptime(time() - $this->_kstat('unix:0:system_misc:boot_time'));\n }", "protected function monitor() {\r\n\t\t// set CTRL-C/CTRL-break event handler\r\n\t\tdeclare(ticks = 1);\r\n\t\tpcntl_signal(SIGINT, array($this, \"terminate\"));\r\n\t\tpcntl_signal(SIGTERM, array($this, \"terminate\"));\r\n\t\t\r\n\t\twhile(1) {\r\n\t\t\tif(! $this->pid_exists($this->daemon_pid)) $this->restart();\r\n\t\t\tsleep($this->monitor_sleep_interval);\t// wait a bit so we don't tie up the CPU too much\r\n\t\t}\r\n\t}" ]
[ "0.6148821", "0.60663503", "0.5940452", "0.59198904", "0.5737093", "0.55059487", "0.548395", "0.5481848", "0.5445249", "0.54076874", "0.54076874", "0.53315926", "0.53154135", "0.53075975", "0.5287426", "0.5143129", "0.51234144", "0.50958556", "0.50919443", "0.508064", "0.5040149", "0.50243497", "0.5017848", "0.5007863", "0.5006165", "0.49375078", "0.49300247", "0.4929102", "0.4926696", "0.49224272" ]
0.7176757
0
Use data from the radio and Last.fm to create a valid Song object.
function fetchSong($xml) { $lfm = getLastFMData((string)$xml->artist, (string)$xml->title); if ($lfm == NULL) { return NULL; } $artistID = (string)$lfm->track->artist->mbid; if ($artistID === "") { return NULL; } $song = createNewSong($xml, $lfm); $artist = createNewArtist($lfm); $album = createNewAlbum($lfm); $tags = createNewTags($lfm); $song->artist = $artist; $song->album = $album; $song->tags = $tags; return $song; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function createNewSong($xml, $lfm) {\n\t\t$song = new Song();\n\t\t\n\t\t$song->ID = (string)$xml->titleid;\n\t\t$song->title = (string)$lfm->track->name;\n\t\t$song->start = (int)substr((string)$xml->start, 0, 10);\n\t\t$song->URL = (string)$lfm->track->url;\n\t\t$song->listeners = (string)$lfm->track->listeners;\n\t\t$song->plays = (int)$lfm->track->playcount;\n\t\t$song->userplays = (int)$lfm->track->userplaycount;\n\t\t\n\t\treturn $song;\n\t}", "public function getSong($input){\n $songs = parent::getSong(json_decode($input,true));\n \n if($songs){\n $this->buildAnswer(true, 'Ok',array($songs));\n }else{\n $this->buildAnswer(false, 'Cannot fetch songs at this time');\n }\n }", "public function create($data)\n {\n $songs = [];\n switch ($data->type) {\n case 'upload':\n foreach ($data->music as $item) {\n $id = $this->songRepository->create($data->user()->id, substr($item->getClientOriginalName(), 0, -4), $data->playlist_id, $data->author_id, $data->genre_id);\n $uploaded = $this->fileService->upload($item, $id . '.mp3');\n $songs[] = ['id' => $id, 'uploaded' => $uploaded];\n }\n if (empty($songs)) {\n return false;\n }\n break;\n case 'url':\n $tmpName = Str::random(10);\n $uploaded = $this->fileService->downloadByUrl($data->url, $tmpName);\n if ($uploaded) {\n $id = $this->songRepository->create($data->user()->id, $data->name, $data->playlist_id, $data->author_id, $data->genre_id);\n $uploaded = $this->fileService->endDownloadByUrl($id, $tmpName);\n $songs[] = ['id' => $id, 'uploaded' => $uploaded];\n } else {\n return false;\n }\n break;\n default:\n return false;\n }\n\n return $songs;\n }", "function getCurrentSong() {\r\n\t\t$response = $this->sendCommand('currentsong');\r\n\t\tif ($this->error) return NULL;\r\n\r\n\t\t/*\r\n\t\t* Parsing sometimes is wrong for web radio stations\r\n\t\t*/\r\n\r\n\t\t$indexStart = strpos($response, \"Title:\") + strlen(\"Title:\");\r\n\t\t$indexLenght = strpos($response, \"Album:\") - $indexStart;\r\n\r\n\t\t$song = substr($response, $indexStart, $indexLenght);\r\n\r\n\t\treturn $song;\r\n\t}", "function getArtFromSong($song,$size='small') {\r\n\tif (isset($song->arturl)) {\r\n\t\treturn $song->arturl;\r\n\t}\r\n\treturn getArt($song->artist,$song->album,$song->albumId,$size);\r\n}", "public function __construct($q=null)\n {\n // self::$qNs = in_array($this->get('qn'), self::$qNr)?$_GET['qn']:'all';\n // self::$info['qno'] \t= array('album','artist','track');\n // self::$data['qn'] \t= in_array($_GET['qn'], self::$info['qno'])?$_GET['qn']:'avekpi';\n // self::$data['qn.'.self::$data['qn'].'.check'] = 'checked=\"checked\"';\n $this->table_track = $this->table('track');\n $this->table_lyric= $this->table('lyric');\n $this->table_album= $this->table('album');\n\n // $this->userid \t= ($uid=parent::$user['id'])?$uid:0;\n $this->q \t = $this->get('q');\n $this->genre \t= $this->get('genre');\n $this->lang \t= $this->get('lang');\n $this->server = $this->get('server');\n $this->page \t= $this->get('page');\n $this->laid \t= $this->get('laid');\n $this->alid \t= $this->get('alid');\n $this->lyric \t= $this->get('lyric');\n $this->year \t= $this->get('year');\n $this->comment= $this->get('comment');\n\n $this->k1 \t\t= $this->uri(0);\n $this->k2 \t\t= $this->uri(1);\n $this->k3 \t\t= $this->uri(2);\n $this->k4 \t\t= $this->uri(3);\n }", "public function deserialize($param)\n {\n if ($param === null) {\n return;\n }\n if (array_key_exists(\"MusicId\",$param) and $param[\"MusicId\"] !== null) {\n $this->MusicId = $param[\"MusicId\"];\n }\n\n if (array_key_exists(\"Name\",$param) and $param[\"Name\"] !== null) {\n $this->Name = $param[\"Name\"];\n }\n\n if (array_key_exists(\"SingerSet\",$param) and $param[\"SingerSet\"] !== null) {\n $this->SingerSet = $param[\"SingerSet\"];\n }\n\n if (array_key_exists(\"Duration\",$param) and $param[\"Duration\"] !== null) {\n $this->Duration = $param[\"Duration\"];\n }\n\n if (array_key_exists(\"SingerImageUrl\",$param) and $param[\"SingerImageUrl\"] !== null) {\n $this->SingerImageUrl = $param[\"SingerImageUrl\"];\n }\n\n if (array_key_exists(\"AlbumInfo\",$param) and $param[\"AlbumInfo\"] !== null) {\n $this->AlbumInfo = new MusicAlbumInfo();\n $this->AlbumInfo->deserialize($param[\"AlbumInfo\"]);\n }\n\n if (array_key_exists(\"RightSet\",$param) and $param[\"RightSet\"] !== null) {\n $this->RightSet = $param[\"RightSet\"];\n }\n\n if (array_key_exists(\"RecommendType\",$param) and $param[\"RecommendType\"] !== null) {\n $this->RecommendType = $param[\"RecommendType\"];\n }\n }", "public function createMusic($aData)\n {\n $prepared = mysqli_prepare($this->dbConn, \"INSERT INTO music VALUES(NULL, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, 1, 0)\");\n $prepared->bind_param('ssssssssss', $aData['current_user']['u_id'], $aData['mTitle'], $aData['mDesc'], $aData['mSinger'], $aData['mCover'], $aData['mAudio'], $aData['mVideo'], $aData['mGenre'], date('Y-m-d h:i:s'), date('Y-m-d h:i:s'));\n $prepared->execute();\n }", "public function __construct() {\n $this->musicRelease = new MusicRelease();\n }", "public function testSongImport()\n {\n $kernel = static::createKernel();\n $kernel->boot();\n\n $songImporter = $kernel->getContainer()->get('black_sheep_music_scanner.services.song_importer');\n $finder = Finder::create()\n ->files()\n ->name('/\\.(mp3|ogg|m4a|flac)$/i')\n ->in(__DIR__ . '/../../../../');\n foreach ($finder as $file) {\n $song = $songImporter->importSong($file);\n self::assertEquals($song->getAlbum()->getName(), $this->songInfo['album']);\n self::assertEquals($song->getArtist()->getName(), $this->songInfo['artist']);\n self::assertEquals($song->getLength(), $this->songInfo['length']);\n self::assertEquals($song->getTitle(), $this->songInfo['title']);\n self::assertEquals($song->getTrack(), $this->songInfo['track']);\n }\n }", "public function store()\n { \n $this->model->load('song');\n $this->model->song->name=$_POST['name'];\n $this->model->song->lyrics=$_POST['lyrics'];\n $this->model->song->url=$_POST['url'];\n $this->model->song->albums_id=$_POST['albums_id'];\n $this->model->song->singers_id=$_POST['singers_id'];\n $this->model->song->types_id=$_POST['types_id'];\n $this->model->song->save();\n go_back();\n }", "function getCurrentPlaying(){\n $string = getURL('https://radio10.live/json.xsl');\n $a = explode(' - ',$string);\n if(count($a) != 2) return false;\n if(empty($a[0]) or empty($a[1])) return false;\n return ['artist'=>$a[0],'title'=>$a[1]];\n}", "public function save($data)\n {\n $artist = Artist::whereName($data['mainInfo']['name'])->first();\n\n if ( ! $artist) {\n $artist = Artist::create($data['mainInfo']);\n } else {\n $artist->fill($data['mainInfo'])->save();\n }\n\n $this->saveAlbums($data, $artist);\n\n if (isset($data['albums'])) {\n $this->saveTracks($data['albums'], $artist);\n }\n\n if (isset($data['similar'])) {\n $this->saveSimilar($data['similar'], $artist);\n }\n\n if (isset($data['genres']) && ! empty($data['genres'])) {\n $this->saveGenres($data['genres'], $artist);\n }\n\n return $artist;\n }", "function addSong($song)\n {\n $this->_songs[] = $song;\n }", "public function createSong($file, $params=array())\n\t {\n\t if (is_array($file)) {\n\t \t$name = $file['name'];\n\t\t\t$extension = substr($file['name'], strrpos($file['name'], '.')+1);\n\t\t\t$parent_id = Engine_Api::_()->user()->getViewer()->getIdentity();\n\t \t$user_id = Engine_Api::_()->user()->getViewer()->getIdentity();\n\t\t\t\n\t }\n\t\telseif ($file instanceof Storage_Model_File){\n\t\t\t$name = $file->name;\n\t\t\t$extension = $file->extension;\n\t\t\t$parent_id = $params['user_id'];\n\t \t$user_id = $params['user_id'];\n\t\t\t$file = $file->temporary();\n\t\t}\n\t\telse return null;\n\t\t\n\t $params = array_merge(array(\n\t 'type' => 'song',\n\t 'name' => $name,\n\t 'parent_type' => 'user',\n\t 'parent_id' => $parent_id,\n\t 'user_id' => $user_id,\n\t 'extension' => $extension,\n\t ), $params);\n\t\t\n\t $item = Engine_Api::_()->storage()->create($file, $params);\n\t return $item;\n\t }", "public function add_song($data) {\n\t\t//print_r($data);die;\n\t\t$insert_data = array(\n\t\t\t'title' => $data['title'],\n\t\t\t'description' => $data['description']\n\t\t);\n\t\tif ($this->db->insert('songs', $insert_data)) {\n\t\t\treturn $this->db->insert_id();;\n\t\t} else {\n\t\t\treturn false;\n\t\t}\n\t}", "public function __construct(\n string $song = null,\n string $apiKey = null,\n string $responseFormat = 'json'\n ) {\n $this->song = $song;\n $this->apiKey = $apiKey;\n $this->responseFormat = strtolower($responseFormat);\n }", "public function getSongAccordingToSongID($song_id){\n\t\t try{\n\t\t\t $conn=DBConnection::GetConnection();\n\t\t\t $myQuery=\"SELECT song_id,song_name,itune_url,googlePlay_url,spotify_url,lyric,release_id from release_song where song_id='\".$song_id.\"'\";\n\t\t\t $result=$conn->query($myQuery);\n\t\t\t $s=new Song();\n\t\t\t foreach($result as $song){\n\t\t\t\t $s->setSongId($song[\"song_id\"]);\n\t\t\t\t $s->setSongName($song[\"song_name\"]);\n\t\t\t\t $s->setItuneUrl($song[\"itune_url\"]);\n\t\t\t\t $s->setGooglePlayUrl($song[\"googlePlay_url\"]);\n\t\t\t\t $s->setSpotifyUrl($song[\"spotify_url\"]);\n\t\t\t\t $s->setLyric($song[\"lyric\"]);\n\t\t\t\t $s->setReleaseId($song[\"release_id\"]);\n\t\t\t }\n\t\t\t $conn=null;\n\t\t\t return $s; \n\t\t}catch(PDOException $e){\n\t\t\techo 'Fail to connect';\n\t\t\techo $e->getMessage();\n\t\t}\n }", "function writeSong($song, $db) {\r\n\t\t$db->dbCall(\"INSERT INTO song(artist, title, playCount, album) VALUES((SELECT ID FROM artist WHERE artist.name = '\" . $song->getArtist()->getName() . \"'), ('\" . $song->getTitle() . \"'), (0), (SELECT ID FROM album WHERE album.name = '\" . $song->getAlbum()->getName() . \"'))\");\r\n\r\n\t\treturn $this;\r\n\t}", "public function store(Request $request)\n {\n //dd($request);\n $request->validate([\n 'title' => 'required|min:5',\n 'artist' => 'required',\n 'album' => 'required',\n 'genre' => 'required',\n 'duration' => 'required',\n 'mp3' => 'nullable|file|mimes:audio/mpeg,mpga,mp3,wav,acc'\n ],[\n 'title.required' => ' The title name is required.',\n 'artist.required' => ' The artist name is required.',\n 'album.required' => ' The album name is required.',\n 'genre.required' => ' The genre is required.',\n 'duration.required' => ' The duration name is required.',\n 'mp3.required' => ' The song path is required.',\n ]);\n\n\n //file upload\n $songfile = $request->file('path');\n $path='';\n\n if($songfile != null)\n {\n $filenamewithExt=$songfile->getClientOriginalName();\n\n $filename=pathinfo($filenamewithExt,PATHINFO_FILENAME);\n\n $extension=$songfile->getClientOriginalExtension();\n\n $fileNameToStore=rand(11111,99999).'.'.$extension;\n\n $songfile->move(public_path().'/storage/audio'.$fileNameToStore);\n\n $path='/storage/audio'.$fileNameToStore;\n }\n\n\n //Data Insert\n $song=new Song();\n $song->title=request('title') ;\n $song->artist=request('artist') ;\n $song->album=request('album');\n $song->genre= request('genre');\n $song->duration=request('duration');\n $song->path=$path;\n //$post->status=1;\n $song->save();\n return redirect()->route('song.index');\n\n }", "public static function get_song($id) {\r\n\t\t\r\n\t\t//Get the song\r\n\t\t$song = Arr::flatten(DB::select( 'playlist_song.*',\r\n\t\t\t\t\t\t\t\t\t\t 'playlist_songdir.*',\r\n\t\t\t\t\t\t\t\t\t\t array('playlist_album.name','album_name'),\r\n\t\t\t\t\t\t\t\t\t\t array('playlist_artist.name','artist_name')\r\n\t\t\t\t\t\t\t\t\t\t)\r\n\t\t\t\t\t\t\t->from('playlist_song')\r\n\t\t\t\t\t\t\t->join('playlist_songdir')\r\n\t\t\t\t\t\t\t->on('playlist_song.location_id','=','playlist_songdir.id')\r\n\t\t\t\t\t\t\t->join('playlist_album')\r\n\t\t\t\t\t\t\t->on('playlist_song.album_id','=','playlist_album.id')\r\n\t\t\t\t\t\t\t->join('playlist_artist')\r\n\t\t\t\t\t\t\t->on('playlist_song.artist_id','=','playlist_artist.id')\r\n\t\t\t\t\t\t\t->where('playlist_song.id','=',$id)\r\n\t\t\t\t\t\t\t->execute()\r\n\t\t\t\t\t\t\t->as_array()\r\n\t\t\t\t\t\t\t);\r\n\t\t$song = Model_G2interface::absolute_path($song);\r\n\t\treturn $song;\r\n\t\t\r\n\t}", "public function create() {\n //create new music\n $new_music = $this->music_model->create_music();\n if (!$new_music) {\n //handle errors\n $message = \"There was a problem creating the new music.\";\n $this->error($message);\n return;\n }\n \n //display the updated movie details\n $confirm = \"The music was successfully been created.\";\n \n $view = new CreateMusic();\n $view->display($confirm);\n }", "public function show(Song $song)\n {\n //\n }", "public function show(Song $song)\n {\n //\n }", "public function setSong(string $song): Acoust\n {\n $this->song = $song;\n $this->validateSong();\n return $this;\n }", "function createNewArtist($lfm) {\n\t\t$artist = new Artist();\n\t\t\n\t\t$artist->mbID = (string)$lfm->track->artist->mbid;\n\t\t$artist->name = (string)$lfm->track->artist->name;\n\t\t$artist->URL = (string)$lfm->track->artist->url;\n\t\t\n\t\treturn $artist;\n\t}", "public function store(Request $request)\n {\n $this->validate($request,[\n 'name'=> 'required|unique:music_samples',\n 'type'=> 'required',\n 'url'=> 'required|mimes:mpga,ogg',\n ]);\n try{\n if($request->hasFile('url')){\n // Get filename with the extension\n $filenameWithExt = $request->file('url')->getClientOriginalName();\n // Get just filename\n $filename = pathinfo($filenameWithExt, PATHINFO_FILENAME);\n // Get just ext\n $extension = $request->file('url')->getClientOriginalExtension();\n // Filename to store\n $fileNameToStore= $filename.'_'.time().'.'.$extension;\n // Upload record\n $path = $request->file('url')->storeAs('public/music_samples', $fileNameToStore);\n } else {\n $fileNameToStore = 'noRecord.mp3';\n }\n\n\n $data = $request->only('name','type');\n $musicData = array_merge($data , ['url' => $fileNameToStore]);\n MusicSample::create($musicData);\n return response()->json($music_sample);\n\n\n } catch(\\Illuminate\\Database\\QueryException $e){\n $errorCode = $e->errorInfo[1];\n if($errorCode == '1062'){\n return response()->json(\"this music_samples is already registered!\" );\n }}\n }", "public function show(Song $song)\n {\n return new SongResource($song);\n }", "function setSongs($songs)\n {\n $this->_songs = $songs;\n }", "public function __construct($songName)\n {\n echo 'Votre musique préférée : '.$songName.\" vient d'être chargée.\\r\\n\";\n }" ]
[ "0.6322447", "0.58062035", "0.5695265", "0.54804164", "0.5308608", "0.52781284", "0.525913", "0.52008176", "0.5176359", "0.51691556", "0.51640314", "0.5086201", "0.5083945", "0.5050455", "0.4996946", "0.49929404", "0.49439037", "0.49361566", "0.49183446", "0.49136522", "0.49094495", "0.48937663", "0.486958", "0.486958", "0.48663068", "0.48619348", "0.4825516", "0.47844297", "0.4784315", "0.47807103" ]
0.63461053
0
Fetch additional track information from Last.fm.
function getLastFMData($artist, $title) { $params = array( "method" => "track.getInfo", "artist" => $artist, "track" => $title, "autocorrect" => "1", "username" => USERNAME ); $params = Last::prepareRequest($params); $lfm = Last::sendRequest($params, "GET"); return $lfm; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function getTrackInfo($trackRemoteKey);", "function tracks() {\n\n\t\t$res = $this->spotifyService->get('https://api.spotify.com/v1/me/tracks');\n\t\t$data = $res->getData();\n\n\t\t$more = true;\n\t\t$uri = 'https://api.spotify.com/v1/me/tracks';\n\t\t$tracks = [];\n\n\t\twhile ($more) {\n\t\t\t$res = $this->spotifyService->get($uri);\n\t\t\t$data = $res->getData();\n\n\t\t\tforeach ($data['items'] as $item) {\n\t\t\t\t$track = $item['track'];\n\t\t\t\t$name = $track['name'];\n\t\t\t\t$trackUrl = $track['external_urls']['spotify'];\n\t\t\t\t$album = $track['album']['name'];\n\t\t\t\t$artist = $track['artists'][0]['name'];\n\n\t\t\t\t$tracks[] = $name;\n\t\t\t}\n\n\t\t\tif ($data['next'] == null) {\n\t\t\t\t$more = false;\n\t\t\t} else {\n\t\t\t\t$uri = $data['next'];\n\t\t\t}\n\t\t}\n\t\treturn response()->json(['success' => true, 'data' => $tracks]);\n\t}", "function fetchSong($xml) {\n\t\t$lfm = getLastFMData((string)$xml->artist, (string)$xml->title);\n\t\tif ($lfm == NULL) {\n\t\t\treturn NULL;\n\t\t}\n\t\t$artistID = (string)$lfm->track->artist->mbid;\n\t\tif ($artistID === \"\") {\n\t\t\treturn NULL;\n\t\t}\n\t\t\n\t\t$song = createNewSong($xml, $lfm);\n\t\t$artist = createNewArtist($lfm);\n\t\t$album = createNewAlbum($lfm);\n\t\t$tags = createNewTags($lfm);\n\t\t\n\t\t$song->artist = $artist;\n\t\t$song->album = $album;\n\t\t$song->tags = $tags;\n\t\t\n\t\treturn $song;\n\t}", "function getTrackInfo($sock,$songID) {\n\t\t\tsendMpdCommand($sock,\"playlistinfo \".$songID);\n\t\t\t$track = readMpdResponse($sock);\n\t\t\treturn _parseFileListResponse($track);\n}", "public function getTracksArtist()\n\t{\n\t\treturn $this->tracks_artist;\n\t}", "public function getTrack()\n {\n return $this->track;\n }", "public function getLatestTrack()\n {\n return $this->getRecentTracks(1)->first();\n }", "public final function Fetch($track_key)\n\t\t{\n\t\t\treturn $this->Fetch_Multiple(array($track_key));\n\t\t}", "public function getTrackUrl();", "public function getInfo($artist = null, $track = null, $mbid = null, $autocorrect = null, $username = null)\n {\n return $this->getClient()->call('track.getinfo', array(\n 'artist' => $artist,\n 'track' => $track,\n 'mbid' => $mbid,\n 'autocorrect' => $autocorrect,\n 'username' => $username,\n ));\n }", "function myplaylist_get_now_playing() {\r\n\t//grab the most recent playlist\r\n\t$args = array(\r\n\t\t\t'numberposts' => 1,\r\n\t\t\t'offset' => 0,\r\n\t\t\t'orderby' => 'post_date',\r\n\t\t\t'order' => 'DESC',\r\n\t\t\t'post_type' => 'playlist',\r\n\t\t\t'post_status' => 'publish'\r\n\t);\r\n\r\n\t$playlist = get_posts($args);\r\n\r\n\t//if there are no playlists saved, return nothing\r\n\tif(!$playlist) {\r\n\t\treturn false;\r\n\t}\r\n\r\n\t//fetch the tracks for each playlist from the wp_postmeta table\r\n\t$songs = get_post_meta($playlist[0]->ID, 'playlist');\r\n\r\n\t//print_r($songs);die();\r\n\r\n\tif(!empty($songs[0])) {\r\n\t\t//removed any entries that are marked as 'queued'\r\n\t\tforeach($songs[0] as $i => $entry) {\r\n\t\t\tif($entry['playlist_entry_status'] == 'queued') {\r\n\t\t\t\tunset($songs[0][$i]);\r\n\t\t\t}\r\n\t\t}\r\n\t\t\t\r\n\t\t//pop the last track off the list for display\r\n\t\t$most_recent = array_pop($songs[0]);\r\n\r\n\t\t//get the permalink for the playlist so it can be displayed\r\n\t\t$most_recent['playlist_permalink'] = get_permalink($playlist[0]->ID);\r\n\r\n\t\treturn $most_recent;\r\n\t}\r\n\telse {\r\n\t\treturn false;\r\n\t}\r\n}", "public function get_tracks() {\n\n // Gets complete playlist + medialib in vlc's case, needs to be looked at\n $args = array();\n\n $results = $this->sendCommand('playlist.xml',$args);\n if (is_null($results)) { return null; }\n\n return $results;\n\n }", "public function getTrackUrl()\n {\n return $this->_trackUrl;\n }", "function getTrackTitle() {\n\t\treturn $this->getData('trackTitle');\n\t}", "public function fetchArtistInfo($id)\n {\n $connection = $this->connection;\n $schema = $connection->schema();\n if (!$schema->tableExists('spotify_artist_info')) {\n return;\n }\n $artist = $connection->select('spotify_artist_info', 'u')\n ->condition('nid', $id)\n ->fields('u')\n ->execute()\n ->fetchAll();\n \n return $artist;\n }", "public static function getLyrics($artist, $trackname) {\n\t\t$artist = SongInfo::normalize($artist);\n\t\t$trackname = SongInfo::normalize($trackname);\n\t\t$conn = SADatabase::getConnection();\n\n\t\t// http://test.lyricfind.com/api_service/lyric.do?apikey=7500cc6251b190a18374131c56a0b7f2&reqtype=default&trackid=artistname:coldplay,trackname:green+eyes&output=json&useragent=Mozilla/5.0 (Macintosh; Intel Mac OS X 10_9_4) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/37.0.2062.94 Safari/537.36\n\n\t\t//$url = 'http://api.lyricfind.com/search.do?apikey=1bba44bbd68a434fa9b6f155d6cff727&reqtype=default&searchtype=track&track='.$track.'&artist='.$artist.'&alltracks=no&displaykey=7500cc6251b190a18374131c56a0b7f2&output=json';\n\t\t$url = 'http://test.lyricfind.com/api_service/lyric.do?apikey=7500cc6251b190a18374131c56a0b7f2&reqtype=default&trackid=artistname:' . $artist .',trackname:'. $trackname .'&output=json&useragent=' . $_SERVER['HTTP_USER_AGENT'];\n\n\t\t$result = SongInfo::getCurlData($url);\n\n\t\t// if no result from LyricFind API, search SongAbout.fm database\n\t\t$resultJSON = json_decode($result);\n\n\t\t//echo SongInfo::normalize($resultJSON->{'track'}->{'title'});\n\t\t\n\t\tif ($resultJSON->{'response'}->{'code'} != 101 || SongInfo::normalize($resultJSON->{'track'}->{'title'}) != $trackname) {\n\t\t\t\n\t\t\t$result = NULL;\n\t\t\t\n\t\t\t\n\n\t\t\t// artist and track in database are all lower case and use '+' for space\n\t\t\t$stmt = $conn->prepare('SELECT * FROM song_lyrics WHERE Artist = ? AND Trackname = ?');\n\t\t\t$stmt->bind_param('ss', $artist, $trackname);\n\t\t\t$stmt->execute();\n\t\t\t$queryResult = $stmt->get_result();\n\t\t\tif ($queryResult->num_rows == 1)\n\t\t {\n\t\t $row = $queryResult->fetch_array();\n\t\t $lyrics = $row['Lyrics'];\n\n\t\t // build JSON object, should have same strcuture with LyricFind API\n\t\t\t $result = json_encode(\n\t\t\t\t array(\n\t\t\t\t 'response' => \tarray(\n\t\t\t\t \t\t\t'code' => 101,\n\t\t\t\t \t\t\t'description' => 'SUCCESS: LICENSE, LYRICS',\n\t\t\t\t \t\t\t'source' => 'SONGABOUT'\n\t\t\t\t \t\t\t),\n\t\t\t\t 'track' => \tarray(\n\t\t\t\t \t\t'title' => SongInfo::denormalize($trackname),\n\t \t\t\t\t\t\t\t\t'artist' => array(\n\t \t\t\t\t\t\t\t\t\t\t'name' => SongInfo::denormalize($artist)\n\t \t\t\t\t\t\t\t\t\t\t),\n\t \t\t\t\t\t\t\t\t'lyrics' => $lyrics\n\t\t\t\t\t )\n\t\t\t )\n\t\t\t\t);\n\t\t }\n\t\t $stmt->close();\n\t\t \n\t\t}\n\n\t\t\n\t\treturn $result;\n\t}", "function getid3data ($filename, $where) {\n if ($where == \"back\") {\n require_once('inc/id3/getid3.php');\n } else {\n require_once('loudblog/inc/id3/getid3.php');\n }\n\n $getID3 = new getID3;\n $getID3->encoding = 'UTF-8';\n $fileinfo = $getID3->analyze($filename);\n\n //TITLE---------------------------\n $title = \"\";\n if (isset($fileinfo['id3v2']['comments']['title'][0])) {\n $title = $fileinfo['id3v2']['comments']['title'][0];\n } else {\n if (isset($fileinfo['id3v1']['title'])) {\n $title = $fileinfo['id3v1']['title'];\n }\n }\n if (isset($fileinfo['tags']['quicktime']['title'][0])) {\n $title = $fileinfo['tags']['quicktime']['title'][0];\n }\n\n //ARTIST---------------------------\n $artist = \"\";\n if (isset($fileinfo['id3v2']['comments']['artist'][0])) {\n $artist = $fileinfo['id3v2']['comments']['artist'][0];\n } else {\n if (isset($fileinfo['id3v1']['artist'])) {\n $artist = $fileinfo['id3v1']['artist'];\n }\n }\n if (isset($fileinfo['tags']['quicktime']['artist'][0])) {\n $artist = $fileinfo['tags']['quicktime']['artist'][0];\n }\n\n //ALBUM---------------------------\n $album = \"\";\n if (isset($fileinfo['id3v2']['comments']['album'][0])) {\n $album = $fileinfo['id3v2']['comments']['album'][0];\n } else {\n if (isset($fileinfo['id3v1']['album'])) {\n $album = $fileinfo['id3v1']['album'];\n }\n }\n if (isset($fileinfo['tags']['quicktime']['album'][0])) {\n $album = $fileinfo['tags']['quicktime']['album'][0];\n }\n\n //YEAR---------------------------\n $year = \"\";\n if (isset($fileinfo['id3v2']['comments']['year'][0])) {\n $year = $fileinfo['id3v2']['comments']['year'][0];\n } else {\n if (isset($fileinfo['id3v1']['year'])) {\n $year = $fileinfo['id3v1']['year'];\n }\n }\n if (isset($fileinfo['tags']['quicktime']['creation_date'][0])) {\n $year = $fileinfo['tags']['quicktime']['creation_date'][0];\n }\n\n //TRACK---------------------------\n $track = \"\";\n if (isset($fileinfo['id3v2']['comments']['track'][0])) {\n $track = $fileinfo['id3v2']['comments']['track'][0];\n } else {\n if (isset($fileinfo['id3v1']['track'])) {\n $track = $fileinfo['id3v1']['track'];\n }\n }\n\n //GENRE---------------------------\n $genre = \"\";\n if (isset($fileinfo['id3v2']['comments']['genre'][0])) {\n $genre = $fileinfo['id3v2']['comments']['genre'][0];\n } else {\n if (isset($fileinfo['id3v1']['genre'])) {\n $genre = $fileinfo['id3v1']['genre'];\n }\n }\n if (isset($fileinfo['tags']['quicktime']['genre'][0])) {\n $genre = $fileinfo['tags']['quicktime']['genre'][0];\n }\n\n //COMMENT---------------------------\n $comment = \"\";\n if (isset($fileinfo['id3v2']['comments']['comment'][0])) {\n $comment = $fileinfo['id3v2']['comments']['comment'][0];\n } else {\n if (isset($fileinfo['id3v1']['comment'])) {\n $comment = $fileinfo['id3v1']['comment'];\n }\n }\n if (isset($fileinfo['tags']['quicktime']['comment'][0])) {\n $comment = $fileinfo['tags']['quicktime']['comment'][0];\n }\n\n //IMAGE---------------------------\n $image = \"\"; $imgtype = \".jpg\";\n if (isset($fileinfo['id3v2']['APIC'][0]['data'])) {\n $image = $fileinfo['id3v2']['APIC'][0]['data'];\n $mime = $fileinfo['id3v2']['APIC'][0]['image_mime'];\n switch ($mime) {\n case \"image/jpeg\" : $imgtype = \".jpg\";\n case \"image/png\" : $imgtype = \".png\";\n case \"image/gif\" : $imgtype = \".gif\";\n }\n }\n\n //NON ID3-INFO---------------------------\n if (!isset($fileinfo['audio']['bitrate'])) { $fileinfo['audio']['bitrate'] = \"?\"; }\n if (!isset($fileinfo['audio']['sample_rate'])) { $fileinfo['audio']['sample_rate'] = \"?\"; }\n if (!isset($fileinfo['audio']['channelmode'])) { $fileinfo['audio']['channelmode'] = \"\"; }\n if (!isset($fileinfo['audio']['bitrate_mode'])) { $fileinfo['audio']['bitrate_mode'] = \"\"; }\n if (!isset($fileinfo['filesize'])) { $fileinfo['filesize'] = 0; }\n if (!isset($fileinfo['playtime_string'])) { $fileinfo['playtime_string'] = \"0:00\"; }\n if (!isset($fileinfo['fileformat'])) { $fileinfo['fileformat'] = \"\"; }\n if (!isset($fileinfo['video']['resolution_x'])) { $fileinfo['video']['resolution_x'] = \"\"; }\n if (!isset($fileinfo['video']['resolution_y'])) { $fileinfo['video']['resolution_y'] = \"\"; }\n\n return array('image'=>$image, 'imgtype'=>$imgtype, 'title'=>$title, 'artist'=>$artist, 'genre'=>$genre, 'track'=>$track, 'comment'=>$comment, 'year'=>$year, 'album'=>$album, 'audio'=>$fileinfo['audio'], 'size'=>$fileinfo['filesize'], 'duration'=>$fileinfo['playtime_string'], 'type'=>$fileinfo['fileformat'], 'width'=>$fileinfo['video']['resolution_x'], 'height'=>$fileinfo['video']['resolution_y']);\n}", "public function show(Track $track)\n {\n return Track::with('album')->find($track->id);\n }", "function print_song_info(){\n echo $this->title . ' by ' . $this->artist;\n }", "public function fetchAllArtistsinfo()\n {\n $connection = $this->connection;\n $schema = $connection->schema();\n if (!$schema->tableExists('spotify_artist_info')) {\n return;\n }\n $query = $connection->select('spotify_artist_info', 'nid')\n ->fields('nid')\n ->execute()\n ->fetchAll();\n return $query;\n }", "function getCurrentSong() {\r\n\t\t$response = $this->sendCommand('currentsong');\r\n\t\tif ($this->error) return NULL;\r\n\r\n\t\t/*\r\n\t\t* Parsing sometimes is wrong for web radio stations\r\n\t\t*/\r\n\r\n\t\t$indexStart = strpos($response, \"Title:\") + strlen(\"Title:\");\r\n\t\t$indexLenght = strpos($response, \"Album:\") - $indexStart;\r\n\r\n\t\t$song = substr($response, $indexStart, $indexLenght);\r\n\r\n\t\treturn $song;\r\n\t}", "public function refreshInfo() {\n // Get the Server Statistics\n $statStr = $this->sendCommand(self::CMD_STATISTICS);\n if ( !$statStr ) {\n return null;\n } else {\n $stats = array();\n $statLine = strtok($statStr,\"\\n\");\n while ( $statLine ) {\n list ( $element, $value ) = explode(\": \",$statLine);\n $stats[$element] = $value;\n $statLine = strtok(\"\\n\");\n }\n }\n\n // Get the Server Status\n $statusStr = $this->sendCommand(self::CMD_STATUS);\n if ( ! $statusStr ) {\n return null;\n } else {\n $status = array();\n $statusLine = strtok($statusStr,\"\\n\");\n while ( $statusLine ) {\n list ( $element, $value ) = explode(\": \",$statusLine);\n $status[$element] = $value;\n $statusLine = strtok(\"\\n\");\n }\n }\n\n // Get the Playlist\n $plStr = $this->sendCommand(self::CMD_PLLIST);\n $this->playlist = $this->_parseFileListResponse($plStr);\n $this->playlist_count = count($this->playlist);\n\n // Set Misc Other Variables\n $this->state = $status['state'];\n if ( ($this->state == self::STATE_PLAYING) || ($this->state == self::STATE_PAUSED) ) {\n $this->current_track_id = $status['song'];\n list ($this->current_track_position, $this->current_track_length ) = explode(\":\",$status['time']);\n } else {\n $this->current_track_id = -1;\n $this->current_track_position = -1;\n $this->current_track_length = -1;\n }\n\n $opts = array(\n 'repeat' => 'repeat',\n 'random' => 'random',\n 'db_last_refreshed' => 'db_update',\n 'volume' => 'volume',\n 'uptime' => 'uptime',\n 'playtime' => 'playtime',\n 'num_songs_played' => 'songs_played',\n 'num_artists' => 'num_artists',\n 'num_songs' => 'num_songs',\n 'num_albums' => 'num_albums'\n );\n\n foreach($opts as $opt => $name) {\n if (isset($status[$name])) $this->$opt = $status[$name];\n }\n\n return true;\n }", "public function processDownload(Track $track);", "public function show(Track $track)\n {\n //\n }", "public function tracks()\n {\n // Get all Tracks\n $tracks = Track::with('album','artist')\n ->where('user_id', Auth::user()->id)\n // ->whereHas('album', function ($query) {\n // $query->where(DB::raw('YEAR(released_at)'), 2015);\n // })\n // ->orderBy('added_at', 'desc')\n ->dynamicOrderBy($this->order)\n ->get();\n\n // Sort Tracks & sort by decade\n // $grouped = $tracks->sortBy('album.released_at')->groupBy(function ($item, $key) {\n // return (int) floor($item->album->released_at->format('Y') / 10) * 10;\n // });\n\n // Loop and create decade Playlist & add Tracks\n // foreach ($grouped->toArray() as $decade => $tracks) {\n // $playlist = $api->createUserPlaylist(Auth::user()->spotify_id, [\n // 'name' => $decade . 's'\n // ]);\n\n // foreach ($tracks as $track) {\n // $api->addUserPlaylistTracks(Auth::user()->spotify_id, $playlist->id, $track['spotify_id']);\n // }\n // }\n\n // Filter Tracks by Playlist Rules\n foreach ($this->rules as $rule) {\n switch ($rule->key)\n {\n case 'artist':\n $tracks = $tracks->filter(function ($track, $key) use ($rule) {\n if ($rule->comparison_operator == 'contains') {\n return (stripos($track->artist->name, $rule->value) !== false);\n } elseif ($rule->comparison_operator == 'not_contains') {\n return (stripos($track->artist->name, $rule->value) === false);\n } elseif ($rule->comparison_operator == '=') {\n return (strcmp($track->artist->name, $rule->value) === 0);\n } elseif ($rule->comparison_operator == '!=') {\n return (strcmp($track->artist->name, $rule->value) !== 0);\n } elseif ($rule->comparison_operator == 'begins_with') {\n return (strpos($track->artist->name, $rule->value) === 0);\n } elseif ($rule->comparison_operator == 'ends_with') {\n return (strpos(strrev($track->artist->name), strrev($rule->value)) === 0);\n }\n });\n break;\n case 'album':\n $tracks = $tracks->filter(function ($track, $key) use ($rule) {\n if ($rule->comparison_operator == 'contains') {\n return (stripos($track->album->name, $rule->value) !== false);\n } elseif ($rule->comparison_operator == 'not_contains') {\n return (stripos($track->album->name, $rule->value) === false);\n } elseif ($rule->comparison_operator == '=') {\n return (strcmp($track->album->name, $rule->value) === 0);\n } elseif ($rule->comparison_operator == '!=') {\n return (strcmp($track->album->name, $rule->value) !== 0);\n } elseif ($rule->comparison_operator == 'begins_with') {\n return (strpos($track->album->name, $rule->value) === 0);\n } elseif ($rule->comparison_operator == 'ends_with') {\n return (strpos(strrev($track->album->name), strrev($rule->value)) === 0);\n }\n });\n break;\n case 'date_added':\n $tracks = $tracks->filter(function ($track, $key) use ($rule) {\n if ($rule->comparison_operator == '=') {\n return $track->added_at->hour(0)->minute(0)->second(0)->eq(Carbon::parse($rule->value));\n } elseif ($rule->comparison_operator == '!=') {\n return $track->added_at->hour(0)->minute(0)->second(0)->ne(Carbon::parse($rule->value));\n } elseif ($rule->comparison_operator == '<') {\n return $track->added_at->hour(0)->minute(0)->second(0)->lt(Carbon::parse($rule->value));\n } elseif ($rule->comparison_operator == '>') {\n return $track->added_at->hour(0)->minute(0)->second(0)->gt(Carbon::parse($rule->value));\n }\n });\n break;\n case 'year':\n $tracks = $tracks->filter(function ($track, $key) use ($rule) {\n if ($rule->comparison_operator == '=') {\n return $track->album->released_at->format('Y') == $rule->value;\n } elseif ($rule->comparison_operator == '!=') {\n return $track->album->released_at->format('Y') != $rule->value;\n } elseif ($rule->comparison_operator == '<') {\n return $track->album->released_at->format('Y') < $rule->value;\n } elseif ($rule->comparison_operator == '>') {\n return $track->album->released_at->format('Y') > $rule->value;\n }\n });\n break;\n }\n }\n\n /*$tracks = $tracks->sortBy(function ($track, $key) {\n return $track->album->released_at->format('Y');\n });*/\n /*$tracks = $tracks->sortBy(function ($track, $key) {\n return sprintf('%-12s%s', $track->album->released_at->format('Y'), $track->album->name);\n });*/\n\n // Sort the playlist manually\n /*if ($this->order == 'album') {\n // Compare Album name\n $tracks = $tracks->sort(function ($a, $b) {\n return strcmp($a->album->name, $b->album->name);\n });\n } elseif ($this->order == 'year_asc') {\n $tracks = $tracks->sort(function ($first, $second) {\n // Track Years are the same so sort by Artist\n if (strcmp($first->album->released_at->format('Y'), $second->album->released_at->format('Y')) === 0) {\n return strcmp($first->artist, $second->artist);\n }\n\n // Track Years are the same so sort by Album\n // if (strcmp($first->album->released_at->format('Y'), $second->album->released_at->format('Y')) === 0) {\n // return strcmp($first->album->name, $second->album->name);\n // }\n\n // Compare Years\n return strcmp($first->album->released_at->format('Y'), $second->album->released_at->format('Y'));\n });\n } elseif ($this->order == 'year_desc') {\n $tracks = $tracks->sort(function ($first, $second) {\n // Track Years are the same so sort by Artist\n if (strcmp($first->album->released_at->format('Y'), $second->album->released_at->format('Y')) === 0) {\n return strcmp($first->artist, $second->artist);\n }\n\n // Compare Years 2nd then 1st to reverse\n return strcmp($second->album->released_at->format('Y'), $first->album->released_at->format('Y'));\n });\n }*/\n\n // Finally limit the playlist\n if ($this->limit) {\n $tracks = $tracks->take($this->limit);\n }\n\n return $tracks;\n }", "public static function ajax_get_soundcloud_track() {\r\n\r\n\t\t$api_options = get_option( 'spp_player_soundcloud', array( 'consumer_key' => '' ) );\r\n\t\t$api_consumer_key = isset( $api_options['consumer_key'] ) ? $api_options['consumer_key'] : '';\r\n\t\tif( $api_consumer_key == '' ) {\r\n\t\t\t$api_consumer_key = 'b38b3f6ee1cdb01e911c4d393c1f2f6e';\r\n\t\t}\r\n\r\n\t\t$url_array = isset( $_POST['streams'] ) ? $_POST['streams'] : '';\r\n\r\n\t\t$track_array = array();\r\n\t\tforeach( $url_array as $url ) {\r\n\t\t\tif ( !empty( $url ) )\r\n\t\t\t\t$transient = 'spp_cachet_' . substr( preg_replace(\"/[^a-zA-Z0-9]/\", '', md5($url) ), -32 );\r\n\t\t\t\r\n\t\t\t// User in HS 3788 had a feed in which each enclosure matched the regexp below. Using the resolve\r\n\t\t\t// URL didn't work for this one, so I added this specific match. There is likely a better way.\r\n\t\t\t// It would involve finding out all of the possible Soundcloud URLs.\r\n\t\t\tif( 1 == preg_match( '/feeds\\.soundcloud\\.com\\/stream\\/(\\d+)/', $url, $matches ) ) {\r\n\t\t\t\t$url = SPP_Core::SPP_SOUNDCLOUD_API_URL . '/tracks/' . $matches[1] . '?consumer_key=' . $api_consumer_key;\r\n\t\t\t} else {\r\n\t\t\t\t$url = SPP_Core::SPP_SOUNDCLOUD_API_URL . '/resolve.json?url=' . urlencode( $url ) . '&consumer_key=' . $api_consumer_key;\r\n\t\t\t}\r\n\r\n\t\t\tif( false === ( $track = SPP_Transients::spp_get_transient( $transient ) ) ) {\r\n\t\t\t\t$response = wp_remote_get( $url );\r\n\t\t\t\tif( !is_wp_error( $response ) && ( $response['response']['code'] < 400 ) ) {\r\n\t\t\t\t\t$track = json_decode( $response['body'] );\r\n\r\n\t\t\t\t\tif ( !empty ( $track ) ) {\r\n\t\t\t\t\t\t\r\n\t\t\t\t\t\t$settings = get_option( 'spp_player_advanced' );\r\n\r\n\t\t\t\t\t\t$val = isset( $settings['cache_timeout'] ) ? $settings['cache_timeout'] : '15';\r\n\t\t\t\t\t\tif ( $val > 60 || $val < 5 || !is_numeric( $val ) )\r\n\t\t\t\t\t\t\t$val = 15;\r\n\t\t\t\t\t\tset_transient( $transient, $track, $val * HOUR_IN_SECONDS );\r\n\t\t\t\t\t}\r\n\t\t\t\t}\r\n\t\t\t}\r\n\t\t\t$track_array[] = $track;\r\n\t\t}\r\n\t\t\r\n\t\theader('Content-Type: application/json');\r\n\t\techo json_encode( $track_array );\r\n\r\n\t\texit;\r\n\r\n\t}", "function getTrackId() {\n\t\treturn $this->getData('trackId');\n\t}", "public function get_details()\n {\n\n $id = $this->data('id');\n\n // TODO, can get these details even if we don't have access (private, non-owner).\n\n // get where used information...\n $where_used = $this->PlaylistModel('where_used',$id);\n $where_used = $where_used['used'];\n\n return array(true,'Playlist details.',$where_used);\n }", "function get_matches($rq){\n global $magnatune;\n $tracks = @$magnatune[metaphone($rq->artist)][metaphone($rq->track)];\n if(!$tracks) return array();\n $ret = array();\n foreach($tracks as $t){\n $pi = new stdclass;\n $pi->artist = $t['artist'];\n $pi->track = $t['track'];\n $pi->album = $t['album'];\n $pi->source = \"Magnatune.com\";\n// $pi->size = 0;\n $pi->bitrate= 128;\n $pi->duration = (int)$t['duration'];\n $pi->url = $t['url'];\n $pi->score = (float)1.00;\n $ret[]=$pi;\n }\n return $ret;\n}", "function GetArtists() {\r\n addLog(\"mpd->GetArtists()\");\r\n if ( is_null($resp = $this->SendCommand(MPD_CMD_TABLE, MPD_TBL_ARTIST))) return NULL;\r\n $arArray = array();\r\n $arLine = strtok($resp,\"\\n\");\r\n $arName = \"\";\r\n $arCounter = -1;\r\n while ( $arLine ) {\r\n list ( $element, $value ) = explode(\": \",$arLine);\r\n if ( $element == \"Artist\" ) {\r\n $arCounter++;\r\n $arName = $value;\r\n $arArray[$arCounter] = $arName;\r\n }\r\n $arLine = strtok(\"\\n\");\r\n }\r\n addLog(\"mpd->GetArtists()\");\r\n return $arArray;\r\n }" ]
[ "0.6047121", "0.5922695", "0.58912414", "0.5853169", "0.5696352", "0.56793064", "0.56792647", "0.55920845", "0.5565019", "0.5492298", "0.5478111", "0.54759437", "0.545691", "0.5298719", "0.52801156", "0.52478415", "0.5242387", "0.5242355", "0.5220894", "0.5179099", "0.51400375", "0.51362044", "0.5110644", "0.51090366", "0.50900877", "0.5083069", "0.5069223", "0.5068978", "0.5049844", "0.5034206" ]
0.69390565
0
Save a Song object to a file (accessed by scripts.js).
function saveJSON($song) { $json = json_encode($song); file_put_contents("song.json", $json); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "abstract function savefile();", "public function save($filename);", "public function save()\n {\n return File::put($this->getPath(), $this->toJsonPretty());\n }", "public function save()\n {\n $content = collect($this->data)->transform(function ($item, $key) {\n return $key . '=' . $item;\n })->implode(\"\\n\");\n\n File::put($this->path(), $content);\n }", "public function save()\n {\n $file = $this->file();\n if ($file) {\n $file->save($this->items);\n }\n }", "function save()\n {\n $this->_reaktorfile->save();\n $this->_isunsaved = false;\n }", "public function toFile() {\n $this->saveArticleJson();\n $this->saveArticleAssets();\n }", "public function save()\n {\n file_put_contents($this->store_path . $this->orders_file, json_encode($this->orders));\n }", "public function save_file() {\n $save_list = implode(\"\\n\", $this->items);\n $handle = fopen($this->filename, \"w\");\n fwrite($handle, $save_list);\n fclose($handle);\n }", "public function writeTrack(TrackInterface $track);", "public function save_file() {\n\t $save_list = implode(\"\\n\", $this->items);\n\t $handle = fopen($this->filename, \"w\");\n\t fwrite($handle, $save_list);\n\t fclose($handle);\n\t}", "function save() { }", "function savePersistant($data)\n\t{\n\t\t$data = json_encode($data, defined(JSON_PRETTY_PRINT)\n\t\t\t? JSON_PRETTY_PRINT\n\t\t\t: NULL);\n\t\tfile_put_contents($this->filename, $data);\n\t}", "abstract protected function _save($fileName = NULL);", "public static function writeGameToFile($gameObject, $filename) {\n file_put_contents($filename, Game::toJson($gameObject));\n }", "private function save()\n\t{\n\t\tfile_put_contents($this->_file, json_encode($this->_container));\n\t}", "public function save(string $filename, string $content);", "function save($filename= null){\n if($filename== null) $filename= $this->filename;\n if(is_writable(dirname($filename))){\n file_put_contents($filename, json_encode($this->data));\n }else trigger_error ('Não é possivel salvar o arquivo \"'.$filename.'\".');\n }", "function writeSong($song, $db) {\r\n\t\t$db->dbCall(\"INSERT INTO song(artist, title, playCount, album) VALUES((SELECT ID FROM artist WHERE artist.name = '\" . $song->getArtist()->getName() . \"'), ('\" . $song->getTitle() . \"'), (0), (SELECT ID FROM album WHERE album.name = '\" . $song->getAlbum()->getName() . \"'))\");\r\n\r\n\t\treturn $this;\r\n\t}", "function save()\r\n {\r\n }", "function saveObject($sessFile, $obj) {\r\n\t\t// Serialise the config data\r\n\t\t$strObj = serialize($obj);\r\n\t\t$fp = fopen($sessFile, 'w');\r\n\t\tfputs($fp, $strObj);\r\n\t\tfclose($fp);\r\n\t}", "function save();", "public function playlistSave($file) {\n $this->debug(\"mpd->playlistSave()\");\n $resp = $this->sendCommand(self::CMD_PLSAVE, $file);\n $this->debug(\"mpd->playlistSave() / return\");\n return $resp;\n }", "public function save($path) {\n\t\treturn file_put_contents($path, $this->serialize());\n\t}", "public function save();", "public function save();", "public function save();", "public function save();", "public function save();", "public function save();" ]
[ "0.654661", "0.63533366", "0.6215794", "0.61328286", "0.6101523", "0.6040994", "0.604062", "0.60041857", "0.5966656", "0.59526867", "0.59497815", "0.5937546", "0.59132844", "0.5770247", "0.5749341", "0.5732095", "0.57211304", "0.5707519", "0.5697085", "0.5677353", "0.56681156", "0.5611791", "0.559377", "0.55748016", "0.5534878", "0.5534878", "0.5534878", "0.5534878", "0.5534878", "0.5534878" ]
0.7508769
0
Add a serialized Song object to a scrobbling queue.
function scrobble($song) { global $gearman; echo 'adding to Gearman!' . PHP_EOL; $serializedSong = serialize($song); $gearman->doBackground("scrobbling", $serializedSong, md5($serializedSong)); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function addSong($song)\n {\n $this->_songs[] = $song;\n }", "function add_song($_artist, $_title, $_year){\n\n // Create a song\n $new_song = new Song($this->index);\n $new_song->create_song($_artist, $_title, $_year);\n $new_song->print_song_info();\n // Update Library\n array_push($this->songs, $new_song);\n\n print 'Added song to index count: ' . $this->index . '</br>';\n $this->index = $this->index + 1; // Update index\n\n }", "public function addQueue($data) {\n $this->queue[] = $data;\n }", "function operationQueuePush($toAdd) {\n file_put_contents($_SERVER['DOCUMENT_ROOT'] . \"/data/operation_queue.dat\", $toAdd . \"\\n\", FILE_APPEND | LOCK_EX);\n}", "public function enqueue() {}", "public function enqueue() {}", "public function enqueue() {}", "public function push($queue, $item)\n {\n }", "public function enqueueRecord(SalesforceMappingInterface $mapping, SObject $record, $force_pull = FALSE) {\n $this->queue->createItem(new PullQueueItem($record, $mapping, $force_pull));\n }", "public function enqueue();", "function queueMessage($message){\n \t$record = $this->driver->insertMessage($message);\n }", "protected function push($next) {\n $fileName = Uuid::uuid1()->toString();\n file_put_contents($this->getFileName($fileName), $this->serializer->serialize($next));\n $this->queue->push($fileName);\n }", "public function save(Data\\QueueInterface $queue);", "public static function enqueue($serializedOrder){\n file_put_contents(self::$queueFile, $serializedOrder . \"\\n\", FILE_APPEND | LOCK_EX);\n return true;\n }", "public function enqueue() {\n }", "public function enqueue(){\n }", "public function queue_enqueue(&$queue, $value) { \n // We are just adding a value to the end of the array, so can use the \n // [] PHP Shortcut for this. It's faster than using array_push \n $queue[] = $value; \n}", "public function addSongs($songs) {\n if (is_array($songs)) {\n foreach ($songs as $song) {\n $this->songs[] = $song;\n }\n } else {\n $this->songs[] = $songs;\n }\n }", "public function track($data) {\n $this->enqueue($data);\n }", "public function enqueueStatus($status) {\n $display = json_decode($status,true);\n print_r($display);\n\n $tweet_object = json_decode($status);\n $tweet_id = $tweet_object->id_str;\n\n // If there's a \", ', :, or ; in object elements, serialize() gets corrupted \n // You should also use base64_encode() before saving this\n $raw_tweet = base64_encode(serialize($tweet_object));\n\t\t\n $field_values = 'raw_tweet = \"' . $raw_tweet . '\", ' .\n 'tweet_id = ' . $tweet_id;\n $this->oDB->insert('json_cache',$field_values);\n }", "public function enqueueStatus($status) {\n $display = json_decode($status,true);\n print_r($display);\n\n $tweet_object = json_decode($status);\n $tweet_id = $tweet_object->id_str;\n\n // If there's a \", ', :, or ; in object elements, serialize() gets corrupted \n // You should also use base64_encode() before saving this\n $raw_tweet = base64_encode(serialize($tweet_object));\n\t\t\n $field_values = 'raw_tweet = \"' . $raw_tweet . '\", ' .\n 'tweet_id = ' . $tweet_id;\n $this->oDB->insert('json_cache',$field_values);\n }", "public function addMessage(IMessage $message){\n\t\t$this->_queue[] = $message;\n\n\t}", "public function enqueue($message = array()) {\n array_push($this->_queue, $message);\n // force a flush if we've reached our threshold\n if (count($this->_queue) > $this->_max_queue_size) {\n $this->flush();\n }\n if ($this->_debug()) {\n $this->_log(\"Queued message: \".json_encode($message));\n }\n }", "abstract public function push();", "public function add_song($data) {\n\t\t//print_r($data);die;\n\t\t$insert_data = array(\n\t\t\t'title' => $data['title'],\n\t\t\t'description' => $data['description']\n\t\t);\n\t\tif ($this->db->insert('songs', $insert_data)) {\n\t\t\treturn $this->db->insert_id();;\n\t\t} else {\n\t\t\treturn false;\n\t\t}\n\t}", "public function add(Token $token)\n {\n array_push($this->queue, $token);\n }", "public static function addToQueue\n\t(\n\t\t$uniID\t\t\t// <int> The UniID that you're adding the queue for.\n\t,\t$treasure\t\t// <str> The treasure to add to the queue.\n\t,\t$parameters\t\t// <array> The parameters to add to the treasure.\n\t,\t$duration\t\t// <int> The duration (in seconds) to keep the item in the queue.\n\t)\t\t\t\t\t// RETURNS <bool> TRUE on success, FALSE on failure.\n\t\n\t// MyTreasure::addToQueue($uniID, $treasure, $parameters, $duration);\n\t{\n\t\tif(!is_array($parameters))\n\t\t{\n\t\t\t$parameters = array();\n\t\t}\n\t\t\n\t\t$parameters = json_encode($parameters);\n\t\t$disappears = time() + $duration;\n\t\t\n\t\t// If the treasure isn't added, there is a date_disappears conflict. Set it $attempt seconds back.\n\t\t$attempt = 0;\n\t\t$pass = false;\n\t\twhile(!$pass && $attempt < 10)\n\t\t{\n\t\t\tDatabase::query(\"INSERT IGNORE INTO `queue_treasure` (uni_id, treasure, json, date_disappears) VALUES (?, ?, ?, ?)\", array($uniID, $treasure, $parameters, $disappears - $attempt));\n\t\t\t$pass = Database::$rowsAffected;\n\t\t\t$attempt++;\n\t\t}\n\t\t\n\t\treturn (bool) $pass;\n\t}", "abstract public function addCommandToQueue(array $parameters);", "function &add_queue($interface, &$queue, &$path, &$input_errors) {\n\t\treturn;\n\t}", "public function push($item)\n {\n $this->getRedis()->rpush(self::QUEUE_NAME, $item);\n }" ]
[ "0.62368816", "0.5645791", "0.5532216", "0.5443882", "0.5319317", "0.5319317", "0.5319317", "0.5306797", "0.5305716", "0.5297421", "0.5293277", "0.5265168", "0.525966", "0.51874244", "0.5130686", "0.5078704", "0.5077908", "0.5059757", "0.505035", "0.5023315", "0.5023315", "0.4992346", "0.49919644", "0.49201608", "0.491475", "0.4911803", "0.49088272", "0.49058136", "0.48960856", "0.48958674" ]
0.61849976
1
Validate the response content.
public function isValidResponse () { return $this->isValidXhtml() ->isValidCss(); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function validateResponse()\r\n {\r\n\r\n }", "public function isValidXhtml ()\n {\n if (sfConfig::get('app_response_validator_xhtml_validation', TRUE))\n {\n $this->_responseValidatorXhtml->setFragment($this->response->getContent());\n\n try\n {\n $this->_responseValidatorXhtml->execute();\n\n $this->tester->pass('The response is valid HTML');\n }\n catch (sfException $exception)\n {\n $this->tester->fail('The response contains invalid HTML');\n\n $this->tester->error($exception->getMessage());\n\n foreach ($this->_responseValidatorXhtml->getErrors() as $key => $description)\n {\n $this->tester->error(sprintf('Error %d: %s', $key + 1, ucfirst($description)));\n }\n }\n }\n else\n {\n $this->tester->info('(X)HTML validation had been disabled.');\n }\n\n return $this->getObjectToReturn();\n }", "protected function validate($content)\n {\n if (is_null($content) || ! is_array($content)) {\n throw new UnreadableResponseException();\n }\n\n if (isset($content['response']['error'])) {\n ApiErrorHandler::handle($content['response']['error']);\n }\n }", "public function testCorrectValidation()\n {\n $rule = new DenyStringInContentRule('test');\n\n $request = new Request();\n $response = new Response();\n $response->setContent('Ninja Turtles');\n\n $validationResult = $rule->validate($request, $response);\n\n $this->assertTrue($validationResult);\n }", "public function getValidResponse()\n {\n if (array_key_exists(\"code\", $this->myResult) && ($this->myResult['code'] == 400)) {\n return false;\n } else {\n return true;\n }\n }", "protected function validateJsonApiContent()\n {\n // check whether we may have content that is not valid json\n // and throw an exception if we do\n if ( ! $this->hasEmptyJsonContent() && empty($this->jsonApiContentArray)) {\n\n throw new HttpResponseException(\n $this->getRequest()->response([\n 'Request content is not valid JSON'\n ])\n );\n }\n\n // check if we have anything to validate (no content is fine)\n if (empty($this->jsonApiContentArray)) return;\n\n\n $validator = app(\n JsonApiValidator::class,\n [ app(TranslatorInterface::class), $this->jsonApiContentArray, $this->jsonApiRules() ]\n );\n\n if ( ! $validator->passes()) {\n $this->getRequest()->failedValidation($validator);\n }\n }", "function _validateResponse($resp)\n {\n if (strlen($resp) > 160) {\n throw new Payment_Process2_Exception(\"Response too short, appears invalid\");\n }\n\n // FIXME - add more tests\n\n return true;\n }", "public function validateResponseBody(FilterResponseEvent $event)\n {\n $this->validator->validateResponseBody($event->getRequest(), $event->getResponse());\n }", "public static function should_validate_response() {\n\t\treturn self::has_cap() && isset( $_GET[ self::VALIDATE_QUERY_VAR ] ); // WPCS: CSRF ok.\n\t}", "private function validate() {\r\n if (!$this->post->token) {\r\n return set_message_ajax('error_token');\r\n }\r\n # Check that the data are not fully REQUEST.\r\n if ($this->post->message == NULL) {\r\n return set_message_ajax('error_input');\r\n }\r\n \r\n # Validate Data\r\n $max_length = get_configuration('maximum_characters', 'pf_comment') ? get_configuration('maximum_characters', 'pf_comment') : 255;\r\n $count_str = strlen($this->post->message);\r\n if($count_str > $max_length){\r\n return set_message_ajax('error_messagelength');\r\n }\r\n return true;\r\n }", "public function isValid(): bool\n {\n return $this->response->status() === 200;\n }", "function validate_content(DocumentInfo $doc) {\n // need not be checked by load_content.\n return true;\n }", "private function validateResponse(string $url, $content)\n {\n // Throw exception if invalid clientID and/or privateKey used with GoogleMapsBusinessProvider\n if (false !== strpos($content, \"Provided 'signature' is not valid for the provided client ID\")) {\n throw new InvalidCredentials(sprintf('Invalid client ID / API Key %s', $url));\n }\n\n $json = json_decode($content);\n\n // API error\n if (!isset($json)) {\n throw InvalidServerResponse::create($url);\n }\n\n if ('REQUEST_DENIED' === $json->status && 'The provided API key is invalid.' === $json->error_message) {\n throw new InvalidCredentials(sprintf('API key is invalid %s', $url));\n }\n\n if ('REQUEST_DENIED' === $json->status) {\n throw new InvalidServerResponse(sprintf('API access denied. Request: %s - Message: %s', $url, $json->error_message));\n }\n\n // you are over your quota\n if ('OVER_QUERY_LIMIT' === $json->status) {\n throw new QuotaExceeded(sprintf('Daily quota exceeded %s', $url));\n }\n\n return $json;\n }", "private function checkIfValid()\n {\n if ($this->isValid()) {\n return true;\n }\n\n if (!$this->expectInvalid) {\n $this->error(\"The response is invalid: $this->rawData\");\n }\n\n return false;\n }", "public function validate(GuzzleResponseInterface $response);", "private function validateResponseFormat(): bool\n {\n if (!$this->responseFormat) {\n throw new AcoustException(\n 'AcoustException: No response format set<br>\n You can try these:<br>\n <ul>\n <li>\n You can set the format by providing it as the\n <strong><u><i>third</i></u></strong> argument\n to the constructor\n </li>\n <li>\n You can also set the format by calling\n <b><em><u>acoust::setResponseFormat($format)</u></em></b>\n before calling <b><em><u>acoust::query()</u></em></b><br>\n where format must be either \"xml\" or \"json\"\n </li>\n </ul>'\n );\n } elseif (!in_array($this->responseFormat, $this->validResponseFormats)) {\n throw new AcoustException(\n \"AcoustException: Invalid response format<br>\n Only 'json' and 'xml' are valid response formats.\n You entered <b><em>{$this->responseFormat}</em></b><br>\"\n );\n } else {\n return true;\n }\n }", "public function checkResponseForContent($content = '') {\n if ($this->httpCode == 200 && !empty($this->responseBody)) {\n if (strpos($this->responseBody, $content) !== FALSE) {\n return TRUE;\n }\n }\n return FALSE;\n }", "protected function parseResponse(){\n\t\treturn true;\n\t}", "public function testIncorrectValidation()\n {\n $rule = new DenyStringInContentRule('test');\n\n $request = new Request();\n $response = new Response();\n $response->setContent('test');\n\n $validationResult = $rule->validate($request, $response);\n\n $this->assertFalse($validationResult);\n }", "protected function isValidResponse($doc)\n {\n return 'ok' === $doc->stat;\n }", "protected function validateResponse( $action ){\n\t\treturn $this->_validator->validateResponse( $this->response, $action.'_response' );\n\t}", "public function validateJsonReturnables() {\n if (!$this->title) {\n throw new DomainException('Title cannot be empty');\n }\n if (!$this->size) {\n throw new DomainException('Size cannot be empty');\n }\n if (!$this->mostUsedWord) {\n throw new DomainException('MostUsedWord cannot be empty');\n }\n if (!filter_var($this->href, FILTER_VALIDATE_URL)) {\n throw new DomainException('Href: Invalid URL');\n }\n return true;\n }", "protected function valid_etag_response() {\n $this->rendered = true;\n $this->response = Response::build(304);\n }", "function cmcic_validate_response() {\n $fields = $this->_inputParameters;\n if (!isset($fields['MAC']) || empty($fields['MAC'])) {\n return FALSE;\n }\n\n $ordered_fields = array();\n $list = array(\n 'TPE',\n 'date',\n 'montant',\n 'reference',\n 'texte-libre',\n 'version',\n 'code-retour',\n 'cvx',\n 'vld',\n 'brand',\n 'status3ds',\n 'numauto',\n 'motifrefus',\n 'originecb',\n 'bincb',\n 'hpancb',\n 'ipclient',\n 'originetr',\n 'veres',\n 'pares',\n );\n\n foreach ($list as $name) {\n $ordered_fields[$name] = isset($fields[$name]) ? $fields[$name] : '';\n }\n\n $ordered_fields['version'] = '3.0';\n $ordered_fields[] = '';\n\n $mac = hash_hmac($this->_paymentProcessor->getAlgorithm(), implode('*', $ordered_fields), $this->_paymentProcessor->getKey());\n\n return (strtolower($mac) == strtolower($fields['MAC']));\n }", "public function validateResponse(ResponseInterface $response, SpecInterface $schema): void;", "private function validate_response($data)\r\n {\r\n $json = json_decode($data, TRUE);\r\n\r\n if(!is_array($json['result']) && $json['result'] == 'error') {\r\n return FALSE;\r\n } else {\r\n return TRUE;\r\n }\r\n }", "public function valid()\n {\n return !is_null($this->content) ? true : false;\n }", "public function check()\n {\n $this->_response = json_decode($this->getResponse());\n\n if (isset($this->_response->error_id)) {\n return true;\n }\n\n return false;\n }", "public function verifyResponseContent($responseContent)\n {\n // Let the original method of the abstract base class do some basic checks\n parent::verifyResponseContent($responseContent);\n\n if (! property_exists($responseContent, 'source_lang')) {\n throw new BagException(\n 'DeepLy API call resulted in a malformed result - source_lang attribute is missing', 210\n );\n }\n if ($responseContent->source_lang === '') {\n throw new BagException('DeepL could not auto-detect the source language of the text', 211);\n }\n if (! property_exists($responseContent, 'target_lang')) {\n throw new BagException(\n 'DeepLy API call resulted in a malformed result - target_lang attribute is missing', 220\n );\n }\n\n if (! property_exists($responseContent, 'translations')) {\n throw new BagException(\n 'DeepLy API call resulted in a malformed result - translations are missing', 230\n );\n }\n if (! is_array($responseContent->translations)) {\n throw new BagException(\n 'DeepLy API call resulted in a malformed result - translations are not an array', 231\n );\n }\n\n if (sizeof($responseContent->translations) > 0) {\n foreach ($responseContent->translations as $index => $translation) {\n if (! property_exists($translation, 'beams')) {\n throw new BagException(\n 'DeepLy API call resulted in a malformed result - beams are missing for translation '.$index,\n 240\n );\n }\n if (! is_array($translation->beams)) {\n throw new BagException(\n 'DeepLy API call resulted in a malformed result - beams are not an array in translation '.\n $index,\n 241\n );\n }\n if (sizeof($translation->beams) == 0) {\n throw new BagException(\n 'DeepLy API call resulted in a malformed result - beams array is empty in translation '.$index,\n 242\n );\n }\n\n foreach ($translation->beams as $beamIndex => $beam) {\n if (! property_exists($beam, 'postprocessed_sentence')) {\n throw new BagException(\n 'DeepLy API call resulted in a malformed result - '.\n 'postprocessed_sentence property is missing in beam '.$index,\n 250\n );\n }\n }\n }\n }\n }", "public function testValidationContentNotNull()\n {\n $headers = $this->authorize();\n\n $post = [\n \"title\" => $this->faker->name,\n \"content\" => null,\n \"images\" => base64_encode(file_get_contents($this->faker->imageUrl(640, 480, 'animals', true))),\n 'tags' => 'lagos, benin'\n ];\n\n $this->client->request('POST', 'post',\n [],\n [],\n $headers,\n json_encode($post)\n );\n\n $response = json_decode($this->client->getResponse()->getContent(), true);\n\n $this->assertResponseStatusCodeSame(422);\n\n $this->assertContains('This value should not be null.', $response['errors']['content']);\n\n }" ]
[ "0.74733865", "0.6760961", "0.6738697", "0.65903234", "0.6544981", "0.6524402", "0.64003235", "0.6363911", "0.62919503", "0.6280534", "0.6275722", "0.62037694", "0.6202945", "0.6180984", "0.61585516", "0.61531883", "0.6133857", "0.61020166", "0.60839033", "0.6077958", "0.6036705", "0.60309076", "0.60137117", "0.6000618", "0.59568906", "0.59496045", "0.59258324", "0.5919003", "0.5907439", "0.58902466" ]
0.7299681
1
Check Auction Product delete Permission.
protected function _isAllowed() { return $this->_authorization->isAllowed('Webkul_MpAuction::auc_pro_delete'); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function testDeleteProductByAdmin()\n {\n $client = $this->createAuthenticatedClient('[email protected]', 'password');\n $client->request(\n 'DELETE',\n '/api/products/1'\n );\n $this->assertSame(Response::HTTP_NO_CONTENT, $client->getResponse()->getStatusCode());\n }", "public function\n\t\tdelete()\n\t{\n\t\t\n\t\t$product_id = $this->get_product_id();\n\t\t\n\t\t#echo \"\\$product_id: $product_id\\n\";\n\t\t\n\t\t$affected_rows = Database_ModifyingStatementHelper\n\t\t\t::apply_statement(\n\t\t\t\tnew Database_SQLUpdateStatement(\n<<<SQL\nUPDATE\n\thpi_trackit_stock_management_products\nSET\n\tdeleted = 'Yes'\nWHERE\n\tproduct_id = '$product_id'\nSQL\n\n\t\t\t\t)\n\t\t\t);\n\t\t\t\n\t\t#echo \"\\$affected_rows: $affected_rows\\n\";\n\t}", "public function testDeleteProductByNonAdmin()\n {\n $client = $this->createAuthenticatedClient();\n $client->request(\n 'DELETE',\n '/api/products/1'\n );\n $this->assertSame(Response::HTTP_FORBIDDEN, $client->getResponse()->getStatusCode());\n }", "public function delete() {\n\n\t\t// if request method is blocked\n\t\tif (!RESTClient::setRequestMethod(HTTPRequestMethod::DELETE)) {\n\t\t\treturn false;\n\t\t}\n\n\t\tRESTClient::send(self::RESTPATH . \"/\" . $this->productID);\n\n\t\treturn true;\n\t}", "public function delete($pid)\n {\n //delete in sale items\n if($this->saleItemModel->delete($pid))\n {\n return true;\n }\n else {\n return 'Fail in delete the product';\n }\n }", "public function delete()\n {\n return \\Auth::user()->hasRight('delete-role');\n }", "function canDeleteItem() {\n\n if (($this->fields[\"users_id\"] == Session::getLoginUserID())\n || Session::haveRight(static::$rightname, DELETE)) {\n return true;\n }\n return false;\n }", "function deleteProduct($id) {\n $this->authHelper->checkAdmin(); \n $itsDone = $this->model->removeProduct($id);\n if ($itsDone){\n header(\"Location: \" . BASE_URL . crudProducts); \n }else{\n $this->view->showError('Existen comentarios asociados a este producto. Eliminelos antes de proceder');\n }\n }", "public function deleteProduct()\n {\n $productDB = new ProductModel();\n $productId = filter_input(INPUT_POST, 'id');\n $productDB->delete($productId);\n Route::redirect('admin', 'product');\n }", "public function deleteCategory(Product $product)\n {\n return Auth::guard('agent-api')->user()->id === $product->agent->id;\n }", "public function delete()\n {\n\n $id = $this->request->getRequestGet('id');\n $result = $this->product->delete($id);\n header(\"Location:index.php?controllers=Product&&action=listProduct\");\n }", "abstract public function canDelete();", "public function delete(User $user, Product $product)\n {\n /*if ($user->id != $product->user_id) {\n return false;\n }*/\n return $user->hasPermission('products.delete');\n }", "static public function delete(Product $obj){\n\t\tif($obj->getId() == 123)\n\t\t\treturn true;\n\t\telse\n\t\t\treturn false;\n\t}", "public function test_deleteProduct()\n {\n $products = Product::factory()->count(5)->create();\n\n $this->assertEquals(count($products), 5);\n\n $product = $products->first();\n\n $product->delete();\n\n $this->assertDeleted($product);\n }", "public function collectDeleteProduct()\n {\n $delete = $this->productsLogic->deleteProduct($_GET['id']);\n $host = $_SERVER['HTTP_HOST'];\n $uri = rtrim(dirname($_SERVER['PHP_SELF']), '/\\\\');\n $extra = 'index.php?op=admin';\n header(\"Location: http://$host$uri/$extra\");\n }", "protected function validateDelete()\n\t{\n\t\tif (!$this->user->hasPermission('modify', 'extension/module/testimonialcrud')) {\n\t\t\t$this->error['warning'] = $this->language->get('error_permission');\n\t\t}\n\t\treturn !$this->error;\n\t}", "public function can_delete() {\n\t\treturn false;\n\t}", "function delete(){\n global $USER;\n if($this->may($USER, DELETE)) {\n self::deleteFromMenu();\n return parent::delete();\n } return false;\n }", "public function delete(Product $product)\n {\n\n }", "function testDeleteProduct() {\n\t \n\t $this->loginAs('admin');\n\t $productA = $this->objFromFixture('Product', 'productA');\n\t $productID = $productA->ID; \n\t \n\t //Publish\n\t $productA->doPublish();\n\t $this->assertTrue($productA->isPublished());\n\n\t $versions = DB::query('SELECT * FROM \"Product_versions\" WHERE \"RecordID\" = ' . $productID);\n\t $versionsAfterPublished = array();\n\t foreach ($versions as $versionRow) $versionsAfterPublished[] = $versionRow;\n\n\t \n //Delete\n\t $productA->delete();\n\t $this->assertTrue(!$productA->isPublished());\n\n\t $versions = DB::query('SELECT * FROM \"Product_versions\" WHERE \"RecordID\" = ' . $productID);\n\t $versionsAfterDelete = array();\n\t foreach ($versions as $versionRow) $versionsAfterDelete[] = $versionRow;\n\t \n\t $this->assertTrue($versionsAfterPublished == $versionsAfterDelete);\n\n\t //$versions = DB::query('SELECT * FROM \"SiteTree_Live\" WHERE \"ID\" = ' . $productID);\n\t}", "function deleteProduct($id): bool\n {\n }", "public function deleted(Product $product)\n {\n\n }", "protected function _isAllowed()\n {\n return $this->_authorization->isAllowed('Pronko_TaskManagement::TaskManagement_delete');\n }", "public function deleted(Product $product)\n {\n //\n }", "function deletePrice() {\r\n\r\n if(!array_key_exists(35,$this->role_privileges)){\r\n echo(json_encode(array('status' => 'access')));\r\n } else {\r\n $id = $this->input->post('id');\r\n $data = array('deleted' => 1, 'updated_by' => $this->vendorId, 'updated_time' => date('Y-m-d H:i:s'));\r\n $result = $this->k_master_price_model->delete($id, $data);\r\n if ($result > 0) {\r\n echo(json_encode(array('status' => TRUE)));\r\n } else {\r\n echo(json_encode(array('status' => FALSE)));\r\n }\r\n }\r\n }", "public function testPermissionBundleDelete(): void\n {\n if (!self::$unitTestConfig->hasDeleteRoute) {\n self::assertTrue(true);\n return;\n }\n\n $data = $this->getDeleteDataForPermissionBundle();\n if ($data === null) {\n throw new InvalidArgument('Delete-Data should not be null!');\n }\n\n $this->sendRequestWithCookie(\n $data->getResourceURI(),\n self::$unitTestConfig->hasSecurityOnDeleteRoute,\n [$data->getPermissionKey()],\n -1,\n 'DELETE',\n null\n );\n self::assertResponseStatusCodeSame(204);\n }", "function can_delete() {\n\t\tif ($this->permissions['all']) {\n\t\t\treturn $this->check_permission($this->permissions['all']);\n\t\t} elseif ($this->permissions['delete']) {\n\t\t\treturn $this->check_permission($this->permissions['delete']);\n\t\t} elseif ($this->object && $this->permissions['delete_own']) {\n\t\t\tif (current_user()->id == $this->object->author) {\n\t\t\t\treturn $this->check_permission($this->permissions['delete_own']);\n\t\t\t}\n\t\t}\n\n\t\treturn false;\n\t}", "public function deleteProduct() {\n\t \t$id = decrypt(get('id'));\n\t \tif ($this->model('product')->deleteProduct($id)>0) {\n \t\t\t$this->setSession('success','ลบสินค้าเรียบร้อยแล้ว');\n\t \t} else {\n \t\t\t$this->setSession('error','เกิดข้อผิดพลาดในการลบสินค้า');\n\t \t}\n\n \t\tredirect('product/listProduct');\n\t }", "function CanDelete()\n\t{\treturn $this->CanAdminUserDelete() && !$this->attendance && (!$this->payments || $this->CanAdminUser(\"full-booking-deletions\"));\n\t}" ]
[ "0.6867916", "0.68577087", "0.68533236", "0.6816537", "0.66975623", "0.6692578", "0.66406745", "0.6624505", "0.662316", "0.6597849", "0.65742356", "0.6555886", "0.65322125", "0.6525652", "0.65056187", "0.6492637", "0.64865154", "0.6463208", "0.64587235", "0.64483523", "0.64447975", "0.64420944", "0.64391446", "0.6427201", "0.64148164", "0.6411491", "0.64056087", "0.63944435", "0.63843405", "0.6372592" ]
0.7113722
0
Get the language block with a fallback
function getLanguageBlock($view, $data = []) { $components = explode("lang", $view); $current = $components[0] . "lang." . app()->getLocale() . "." . $components[1]; $fallback = $components[0] . "lang." . getFallbackLocale() . "." . $components[1]; if (view()->exists($current)) { return view($current, $data); } else { return view($fallback, $data); } }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function getFallbackLanguage($mixID);", "function getLanguageBlock($view, $data = [])\n {\n $components = explode(\"lang\", $view);\n $current = $components[0].\"lang.\".app()->getLocale().\".\".$components[1];\n $fallback = $components[0].\"lang.\".getFallbackLocale().\".\".$components[1];\n\n if (view()->exists($current)) {\n return view($current, $data);\n } else {\n return view($fallback, $data);\n }\n }", "private function fetchSrpLanguageByStockAdminDefaultLanguage(): \\Sportisimo\\Erp\\Model\\Core\\Entities\\Language\r\n {\r\n if ($this->defaultSrpAdminLanguage !== null)\r\n {\r\n return $this->defaultSrpAdminLanguage;\r\n }\r\n\r\n $defaultAdminLanguage = $this->context->getDefaultAdminLanguage();\r\n\r\n $this->defaultSrpAdminLanguage = new \\Sportisimo\\Erp\\Model\\Core\\Entities\\Language($this->srpDatabase, null, $defaultAdminLanguage->getCode());\r\n\r\n return $this->defaultSrpAdminLanguage;\r\n }", "public function getInLanguage(): ?string;", "public function getLanguage ();", "public static function getLanguage() {\n\t\t//--\n\t\tglobal $configs;\n\t\t//--\n\t\tif(strlen((string)self::$cache['#LANGUAGE#']) == 2) {\n\t\t\tif(SmartFrameworkRuntime::ifInternalDebug()) {\n\t\t\t\tif(SmartFrameworkRuntime::ifDebug()) {\n\t\t\t\t\tSmartFrameworkRegistry::setDebugMsg('extra', '***REGIONAL-TEXTS***', [\n\t\t\t\t\t\t'title' => 'Get Language from Internal Cache',\n\t\t\t\t\t\t'data' => 'Content: '.self::$cache['#LANGUAGE#']\n\t\t\t\t\t]);\n\t\t\t\t} //end if\n\t\t\t} //end if\n\t\t\treturn (string) self::$cache['#LANGUAGE#'];\n\t\t} //end if\n\t\t//--\n\t\t$the_lang = 'en'; // default\n\t\t//--\n\t\tif(is_array($configs)) {\n\t\t\tif(is_array($configs['regional'])) {\n\t\t\t\t$tmp_lang = (string) strtolower((string)$configs['regional']['language-id']);\n\t\t\t\tif(self::validateLanguage($tmp_lang)) {\n\t\t\t\t\t$the_lang = (string) $tmp_lang;\n\t\t\t\t\tif(SmartFrameworkRuntime::ifInternalDebug()) {\n\t\t\t\t\t\tif(SmartFrameworkRuntime::ifDebug()) {\n\t\t\t\t\t\t\tSmartFrameworkRegistry::setDebugMsg('extra', '***REGIONAL-TEXTS***', [\n\t\t\t\t\t\t\t\t'title' => 'Get Language from Configs',\n\t\t\t\t\t\t\t\t'data' => 'Content: '.$the_lang\n\t\t\t\t\t\t\t]);\n\t\t\t\t\t\t} //end if\n\t\t\t\t\t} //end if\n\t\t\t\t} //end if\n\t\t\t} //end if\n\t\t} //end if\n\t\t//--\n\t\tself::$cache['#LANGUAGE#'] = (string) strtolower((string)$the_lang);\n\t\t//--\n\t\treturn (string) self::$cache['#LANGUAGE#'];\n\t\t//--\n\t}", "public function getDefaultLanguage();", "public function getLanguage();", "public function getLanguage();", "public function getLanguage();", "public function getLanguage();", "function get_default_language()\r\n\t{\r\n\t\tglobal $db;\r\n\r\n\t\t$result = $db->select(tbl('languages'),\"*\",\" language_default='yes' \");\r\n\t\t$result = $result[0];\r\n\t\treturn $result;\r\n\t}", "public function findDefault() {\n if(!is_null($this->default)) return $this->default; \n foreach($this->data as $lang) {\n if($lang->isDefault()) return $this->default = $lang;\n }\n }", "function lang()\n {\n global $CFG;\n $language = $CFG->item('language');\n\n $lang = array_search($language, $this->languages);\n if ($lang)\n {\n return $lang;\n }\n\n return NULL; // this should not happen\n }", "public function getDefaultLanguageObject() {\n \treturn $this->getLanguageVersion(0);\n }", "private function getLL()\n {\n $arr_extConf = unserialize( $GLOBALS[ 'TYPO3_CONF_VARS' ][ 'EXT' ][ 'extConf' ][ 'browser' ] );\n switch ( $arr_extConf[ 'LLstatic' ] )\n {\n case('German'):\n $lang = 'de';\n break;\n default:\n $lang = 'default';\n }\n // 120515, dwildt, 1-\n// $fileRef = 'EXT:EXT:browser/Resources/Private/Language/FlexForms/pi1/locallang.xml';\n // 120515, dwildt, 1+\n $fileRef = 'EXT:EXT:browser/Resources/Private/Language/FlexForms/pi1/locallang.xml';\n $setGlobal = 0;\n $mergeLocalOntoDefault = 0;\n $LOCAL_LANG = $GLOBALS[ 'LANG' ]->includeLLFile( $fileRef, $setGlobal, $mergeLocalOntoDefault );\n//var_dump( __METHOD__, __LINE__, $LOCAL_LANG, $lang );\n $this->locallang = $LOCAL_LANG[ $lang ];\n if ( empty( $this->locallang ) )\n {\n $this->locallang = $LOCAL_LANG[ 'default' ];\n }\n // 111126, dwildt+\n }", "public function getLocaleFallbacks();", "protected function getLang()\n {\n if (array_key_exists($this->context->language->iso_code, $this->supportedLangs)) {\n return $this->supportedLangs[$this->context->language->iso_code];\n }\n \n return $this->defaultLang;\n }", "function getTransLang();", "function icl_get_default_language() {\n\t\treturn pll_default_language();\n\t}", "public function getDefault()\n {\n return Language::whereIsDefault(1)->first();\n }", "public function getLang();", "function getLanguage($set_language = 'English')\r\n{\r\n\tglobal $lang;\r\n\t// Always call English text first, in case the other language file used is not up to date (prevents empty text on the page)\r\n\t$lang = callLanguageFile('English');\r\n\t// If set language is not English, then now call that other language file and override all English strings with it\r\n\tif ($set_language != 'English')\r\n\t{\r\n\t\t$lang2 = callLanguageFile($set_language, false);\r\n\t\t// Merge language file with English language, unless returns False\r\n\t\tif ($lang2 !== false) \r\n\t\t{\r\n\t\t\t$lang = array_merge($lang, $lang2);\r\n\t\t}\r\n\t}\r\n\t// Return array of language\r\n\treturn $lang;\t\r\n}", "public function getResponseDefaultLanguage()\n {\n if (null !== $this->data_returned and isset($this->data_returned['schema']['default_language'])) {\n return $this->data_returned['schema']['default_language'];\n }\n\n return null;\n }", "public function getLang(){\n\t\treturn parent::getSingleValue('0');\n\t}", "function wpml_language_switch() {\n\t$lang = icl_get_languages('skip_missing=N');\n\t$ret = '';\n\tif(count($lang) > 0) {\n\tforeach($lang as $value) {\n\t\t$ret .= ($value['active'] == 0) ? '<li class=\"language dropdown menu-item\"><a href=\"' . $value['url'] . '\">' .\n\t\t\t$value['native_name'] . '</a></li>' : '';\n\t}\n\t}\n\treturn $ret;\n}", "protected function getDefaultLanguage(): ?string\n {\n // English\n return 'en';\n }", "public function getTranslationLanguage();", "function getFallbackLocale()\n {\n return config('app.fallback_locale');\n }", "function getFallbackLocale()\n {\n return config('app.fallback_locale');\n }" ]
[ "0.7107945", "0.67870533", "0.6599165", "0.6521596", "0.64994043", "0.6474821", "0.6419653", "0.63596946", "0.63596946", "0.63596946", "0.63596946", "0.6326359", "0.631141", "0.6305106", "0.62714547", "0.6251238", "0.6236152", "0.6233533", "0.620116", "0.614953", "0.61480194", "0.61435884", "0.61376244", "0.613748", "0.6116001", "0.6107212", "0.60980755", "0.6095113", "0.60910875", "0.60910875" ]
0.6818434
1
Get the value of Parent Categ
public function getParentCateg() { return $this->parentCateg; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function getCategid()\n {\n return $this->categid;\n }", "public function getCategoryParentAttribute()\n {\n if ($this->parent_id == config('app.parent')) {\n return trans('labels.root');\n } else {\n return $this->parent['name'];\n }\n }", "public function getCategory () {\n\t$preValue = $this->preGetValue(\"category\"); \n\tif($preValue !== null && !\\Pimcore::inAdmin()) { \n\t\treturn $preValue;\n\t}\n\t$data = $this->getClass()->getFieldDefinition(\"category\")->preGetData($this);\n\treturn $data;\n}", "public function getParentCategory() {\n return 2;\n }", "function getCategory() {\n return $this->getCurrent()\n ->findParentRow('Yourdelivery_Model_DbTable_Restaurant_Categories');\n }", "public function getChildCate()\n {\n return $this->child_cate;\n }", "public function parentCategory() \n {\n return $this->belongsTo(self::class, \n 'parent_category_id', // use this fk from curr record\n 'category_id' // to find parent with the same value in this key\n );\n }", "function get_parent_category() {\n if (!empty($this->parent)) {\n $parent_category = new grade_category(array('id' => $this->parent));\n return $parent_category;\n } else {\n return null;\n }\n }", "public function getCategory() {\n if ($holder = $this->getHolder()) {\n return $holder->getParentNode();\n }\n return false;\n }", "function load_parent_category() {\n if (empty($this->parent_category) && !empty($this->parent)) {\n $this->parent_category = $this->get_parent_category();\n }\n return $this->parent_category;\n }", "function getParentCat($cat_id)\n {\n $cat=Category::where(array('deleted'=>'0','cat_id'=>$cat_id))->first();\n if(!empty($cat))\n {\n return $cat->cat_name;\n }\n else\n {\n return ''; \n }\n }", "public function GetParent()\n\t{\tif ($this->details['parentcat'] && ($parent = new InstructorCategory($this->details['parentcat'])) && $parent->id)\n\t\t{\treturn $parent;\n\t\t}\n\t}", "public function getChildCategory()\n {\n return $this->childCategory;\n }", "public function getCategory()\n {\n return $this->_data[self::CATEGORY];\n }", "public function parent()\n {\n return $this->belongsTo('Modules\\Ibanners\\Entities\\Category', 'parent_id');\n }", "function getViewingCategory(){\n if(isset($_GET['shop']) AND !isset($_GET['c']) AND !isset($_GET['sc']) ){\n return $this -> transformCategoryNameToID($_GET['shop'], 'O');\n }\n \n else if(isset($_GET['shop']) AND isset($_GET['c']) AND !isset($_GET['sc']) ){\n $parent = $this -> transformCategoryNameToID($_GET['shop'], 'O');\n \n return $this -> transformCategoryNameToID($_GET['c'], $parent);\n }\n \n else{\n $pre_parent = $this -> transformCategoryNameToID($_GET['shop'], 'O');\n $parent = $this -> transformCategoryNameToID($_GET['c'], $pre_parent);\n\n return $this -> transformCategoryNameToID($_GET['sc'], $parent);\n }\n }", "function get_parent(){\n\t\tif($this->parent) return $this->parent;\n\t\t\n\t\t$this->parent = Taxon::factory($this->row['parentNameUsageID']);\n\t\t\n\t\treturn $this->parent;\n\t\n\t}", "public function getParent()\n {\n return HelpCategories::findById($this->parent_id);\n }", "public function getCategory(){\n\t\treturn $this->category;\t\n\t}", "private function nameParent( $ali_id ) {\n\n\n\t\treturn ae_search_category_by_id( $ali_id );\n\t}", "protected function getParentKeyValue()\n {\n $value = $this->parent->{$this->parentKey};\n if (! is_null($value) && $this->parent->hasMutator($this->parentKey)) {\n $value = $this->parent->serializeAttribute($this->parentKey, $value);\n }\n\n return $value;\n }", "protected function _getParentCategoryId()\n {\n if (!isset($_REQUEST['parent_category_id'])) {\n $this->session->data['errors'][] = $this->language->get('error_parent_category_id_not_found');\n $this->response->redirect($this->url->link('module/excel_documents_import', 'token=' . $this->session->data['token']));\n }\n\n $id = (int)$_GET['parent_category_id'];\n \n return $id;\n }", "public function fetchParent(){\r\n return static::fetchById($this->parent_id);\r\n }", "public function getParent() {\n return $this->_data['parent_id'];\n }", "public function parente() {\n return $this->belongsTo('App\\Category', 'parent_id');\n }", "public function parentCategory()\n {\n return $this->belongsTo('Traydes\\Category', 'parent_id', 'id');\n }", "public static function getParentCategoryByCategoryId($id){\n $parent_id = Category::where('id',$id)->pluck('parent_id')->first();\n $parent_category_details = Category::where('id',$parent_id)->first();\n return $parent_category_details;\n //return $parent_id;\n }", "public function getIndiceCateg(): ?int {\n return $this->indiceCateg;\n }", "public function listParent()\n {\n $sql = \"SELECT id, name FROM \" .$this->_tbl_category .\" AS c WHERE del_flg = 0 AND c.parent = 0\";\n $query = $this->db->query($sql);\n if ($query->num_rows() == 0) {\n return FALSE;\n }\n return $query->result_array();\n }", "public function getIdCategory(){\n\t\treturn $this->idCategory;\t\n\t}" ]
[ "0.7000641", "0.69085366", "0.676224", "0.66351736", "0.6610683", "0.65451425", "0.6477186", "0.64701", "0.64652103", "0.64529735", "0.6375118", "0.6329939", "0.61986035", "0.6191044", "0.61624634", "0.6132859", "0.6099684", "0.6085754", "0.60828996", "0.6015626", "0.601088", "0.6001235", "0.59928703", "0.5983164", "0.59754676", "0.59693277", "0.5964885", "0.59624785", "0.5957396", "0.5940444" ]
0.76189816
0
Runs the HTML>PDF conversion with default settings Warning: if you have any files (like CSS stylesheets and/or images referenced by this file, use absolute links (like
function convert_to_pdf($html, $path_to_pdf, $base_path='') { $pipeline = PipelineFactory::create_default_pipeline('', ''); // Override HTML source // @TODO: default http fetcher will return null on incorrect images // Bug submitted by 'imatronix' (tufat.com forum). $pipeline->fetchers[] = new MyFetcherMemory($html, $base_path); // Override destination to local file $pipeline->destination = new MyDestinationFile($path_to_pdf); $baseurl = ''; $media =& Media::predefined('A4'); $media->set_landscape(false); $media->set_margins(array('left' => 3, 'right' => 3, 'top' => 3, 'bottom' => 7)); $media->set_pixels(1024); global $g_config; $g_config = array( 'cssmedia' => 'screen', 'scalepoints' => '1', 'renderimages' => true, 'renderlinks' => true, 'renderfields' => true, 'renderforms' => false, 'mode' => 'html', 'encoding' => '', 'debugbox' => false, 'pdfversion' => '1.4', 'draw_page_border' => false ); $pipeline->configure($g_config); $pipeline->process_batch(array($baseurl), $media); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function pdfAction()\n {\n// $content = \"<page>\n// <h1>Exemple d'utilisation</h1>\n// <br>\n// Ceci est un <b>exemple d'utilisation</b>\n// de <a href='http://html2pdf.fr/'>HTML2PDF</a>.<br>\n// </page>\";\n// $content = '<page><html xmlns=\"http://www.w3.org/1999/xhtml\"><head>\n// <meta http-equiv=\"Content-Type\" content=\"text/html; charset=utf-8\">\n// <style>\n// body{width:570px; margin:auto; font-size:12px; font-family:Arial, Helvetica, sans-serif; line-height:18px;}\n// h1{font-weight:lighter; font-size:30px; padding:10px;}\n// .triphighlights-table{ border: 1px solid #ddd;}\n// .triphighlights-table td{border-top:1px solid #dfdfdf;}\n// .itin-day{background:#ddd;}\n// ul{margin:0; padding:0;}\n// .style1 {background: #ddd; font-weight: bold; }\n// .addressbar{font-size:11px; color:#999;}\n// .booking-details td, .booking-details th,\n// .personal-details td, .personal-details th{border-bottom:1px solid #ddd;}\n// .booking-details th, \n// .personal-details th{background:#eee;}\n// </style>\n// </head>\n//\n// <body>\n// <table border=\"0\" cellpadding=\"0\" cellspacing=\"0\">\n// <thead>\n// <tr>\n// <th width=\"35%\">&nbsp;</th>\n// <th width=\"65%\">&nbsp;</th>\n// </tr>\n// </thead>\n// <tbody>\n// <tr>\n// <td colspan=\"2\"><img src=\"http://dev.nepaladvisor.local/images/pdf-header.jpg\"></td>\n// </tr>\n// <tr>\n// <td colspan=\"2\" class=\"addressbar\">iTravel Pvt. Ltd. P.O.B # xxxxxx, Phone: +977 1 xxxxxxx, email: [email protected], fax: +977 1 xxxxxxx</td>\n// </tr>\n// <tr>\n// <td colspan=\"2\">\n// <h1>Experiencing Hinduism</h1>\n// </td>\n// </tr>\n// \n// <tr>\n// <td colspan=\"2\">\n// <table width=\"100%\" border=\"0\" cellpadding=\"2\" cellspacing=\"0\" class=\"booking-details\">\n// <tbody>\n// <tr>\n// <td colspan=\"2\"><h2>Booking Details</h2></td>\n// </tr>\n// <tr>\n// <td><strong>Booking Code:</strong></td>\n// <td><strong>48</strong></td>\n// </tr>\n// <tr>\n// <td><strong>Booking Status:</strong></td>\n// <td><strong>Pending</strong></td>\n// </tr>\n// <tr>\n// <td width=\"109\">Name:</td>\n// <td width=\"478\">Dhiraj Golchha</td>\n// </tr>\n// <tr>\n// <td>Email:</td>\n// <td>[email protected]</td>\n// </tr>\n// <tr>\n// <td>&nbsp;</td>\n// <td>&nbsp;</td>\n// </tr>\n// </tbody>\n// </table>\n// </td>\n// </tr>\n// \n// <tr>\n// <td colspan=\"2\"><h2>Personal Details</h2></td>\n// </tr>\n// \n// <tr>\n// <td colspan=\"2\">\n// <table width=\"100%\" border=\"0\" cellpadding=\"2\" cellspacing=\"0\" class=\"personal-details\">\n// <thead>\n// <tr>\n// <th width=\"30%\" align=\"left\">Name</th>\n// <th width=\"50%\" align=\"left\">Email</th>\n// <th width=\"20%\" align=\"left\">DOB</th>\n// </tr>\n// </thead>\n// <tbody>\n// <tr>\n// <td>Dhiraj Golchha</td>\n// <td>[email protected]</td>\n// <td>0000-00-00</td>\n// </tr>\n// <tr>\n// <td>Dhiraj Golchha</td>\n// <td>[email protected]</td>\n// <td>0000-00-00</td>\n// </tr>\n// <tr>\n// <td>&nbsp;</td>\n// <td>&nbsp;</td>\n// <td>&nbsp;</td>\n// </tr>\n// </tbody>\n// </table>\n// </td>\n// </tr>\n// <tr>\n// <td>&nbsp;</td>\n// <td>&nbsp;</td>\n// </tr>\n// <tr>\n// <td valign=\"top\">\n// <table cellpadding=\"2\" cellspacing=\"0\" class=\"triphighlights-table\">\n// <tbody><tr>\n// <th colspan=\"2\">Trip Overview</th>\n// </tr>\n//\n// <tr>\n// <td colspan=\"2\"><img src=\"http://dev.nepaladvisor.local/public/package/images/Experiencing%2BHinduism_1340358617.jpg\" width=\"190\"></td>\n// </tr>\n// <tr>\n// <td width=\"84\">Duration:</td>\n// <td width=\"106\">8 Days</td>\n// </tr>\n// <tr>\n// <td>Trip Cost:</td>\n// <td>$2151.00</td>\n// </tr>\n// </tbody></table>\n// </td>\n// <td>\n// In this 8 days tour, we take you deep into ancient religious and cultural life of Nepali people based on Hinduism-one of the oldest religions of the world. We visit innumerable temples and monuments that demonstrate the perfect blend of modern and antique Hindu architectural designs. We take you to the holiest Hindu temples from Pashupatinath- the most sacred Hindu shrine of Lord Shiva to Buddhanilkantha-the temple of god Bishnu reclining on the coils of a cosmic serpent, from Dakshinkali- popular Hindu worship place dedicated to goddess Kali to Pagoda Style Changu Narayan Temple. You can observe artistic sense and excellence of traditional artists and sculptors reflected via wood, metal and stone carvings in these temples and get spiritual ecstasy. We take a tour of all three Durbar Squares: Kathmandu Durbar Square, Patan Durbar Square and Bhaktapur Durbar Square that replicate the plentiful and astonishingly distinctive structures in the world. On the sixth day, we fly to Janakpur, a popular pilgrimage spot and birth place of Sita, - the heroine of the epic,\\' Ramayana\\' tovisit Janaki temple. The trip to Manakamana in modern cable car may fulfill all your unfulfilled wishes as it is the temple of wish fulfilling deity. \n// </td>\n// </tr>\n// </tbody>\n// </table>\n// \n//</body></html></page>';\n//\n// $html2pdf->convert($content, 'test.pdf', 'bookingpdf/test.pdf');\n// exit;\n// $pdf = new Pdf_html2pdf();\n// \n// $html = \"asdfdsafsadfsadf\";\n// $pdf->convert($html,'uploads/pdf/xcv.pdf','F');\n// \n// //$this->view->pdf = $pdf;\n// exit();\n// $bookingModel = new Default_Model_Booking();\n// $result = $bookingModel->createPdfAttachment(48);\n// var_dump($result);\n $bookingModel = new Default_Model_Booking();\n $emailParams = array(\n 'package' => \"sdfsdf\",\n 'quantity' => 1,\n 'amount' => 100,\n 'total' => 100,\n 'username' => 'Asd',\n 'invoice' => 12312,\n 'txn_no' => 1231,\n 'payment_mode' => 'Paypal',\n 'date' => date(\"Y-M-d\"),\n 'cost' => 100,\n 'duration' => 2,\n 'count' => 2,\n 'status' => 'Pending',\n 'url' => $this->view->siteUrl() . '/payment/list'\n );\n $pdfResult = $bookingModel->createPdfAttachment(71);\n if ($pdfResult) {\n $attachment = $this->view->siteUrl() . '/public/bookingpdf/NepalAdvisor-BNA082071.pdf';\n } else {\n $attachment = '';\n }\n $modelNotification = new Notification_Model_EmailSettings();\n $modelNotification->sendEmail($emailParams, 'booking_recieved', '[email protected]', $attachment, 'booking');\n exit;\n }", "private function makePDF() {\n $snappy = \\App::make('snappy.pdf');\n $content = $this->template->html_template;\n\n $html = view('forms.pdf_template', ['content' => $content])->render();\n\n $this->file_name = $this->getFileName();\n $this->file_name .= \".pdf\";\n\n $this->file_guid = Uuid::generate(4) . \".pdf\";\n\n $this->file_path = $this->file_folder . $this->file_guid;\n\n $html = $this->replaceWithFieldsVals($html);\n $html = format_html_img(get_portal_config(\"PORTAL_PUBLIC_URL\"), $html);\n\n $snappy->generateFromHtml($html, $this->file_path);\n\n $this->is_pdf = true;\n }", "protected function generatePdf()\n {\n $this->viewToString();\n\n $this->saveHtml();\n\n $command = [\n $this->binaryPath,\n implode(' ', $this->commandLineOptions),\n $this->convertScript,\n $this->pdfPath,\n $this->prefixHtmlPaths($this->contentPath),\n $this->prefixHtmlPaths($this->headerPath),\n $this->prefixHtmlPaths($this->footerPath),\n $this->orientation,\n $this->headerHeight,\n $this->footerHeight,\n $this->format,\n $this->dpi,\n $this->waitTime,\n ];\n\n $process = new Process($command, __DIR__);\n $process->setTimeout($this->timeout);\n $process->run();\n\n if ($errorOutput = $process->getErrorOutput()) {\n throw new RuntimeException('PhantomJS: ' . $errorOutput);\n }\n\n // Remove temporary HTML files\n @unlink($this->headerPath);\n @unlink($this->contentPath);\n @unlink($this->footerPath);\n }", "public function render() {\n\t\t$this->loadDomPDFClasses();\n\n\t\t$this->assign('csssFilePath', $this->cssFilePath);\n\t\t$html = Tx_PtExtlist_View_Export_AbstractExportView::render();\n\t\tob_clean();\n\n\t\t$dompdf = new DOMPDF();\n\t\t$dompdf->set_paper($this->paperSize, $this->paperOrientation);\n\t\t$dompdf->set_base_path($this->basePath);\n\t\t$dompdf->load_html($html);\n\t\t$dompdf->render();\n\n\t\t$dompdf->stream($this->fileName . '.pdf', array(\"Attachment\" => 0));\n\n\t\texit();\n\t}", "function generate_pdf($url, $options = [])\n{\n die('generate_pdf() doesnt work in preview or edit mode');\n}", "public function html_to_pdf(\n $html_file_array,\n $pdf_name = '',\n $course_code = null,\n $print_title = false,\n $complete_style = true,\n $addStyle = true\n ) {\n if ($complete_style === false) {\n error_log(__FUNCTION__.' with no style');\n }\n\n if (empty($html_file_array)) {\n return false;\n }\n\n if (is_array($html_file_array)) {\n if (count($html_file_array) == 0) {\n return false;\n }\n } else {\n if (!file_exists($html_file_array)) {\n return false;\n }\n // Converting the string into an array\n $html_file_array = array($html_file_array);\n }\n\n if (!empty($course_code)) {\n $course_data = api_get_course_info($course_code);\n } else {\n $course_data = api_get_course_info();\n }\n\n // Clean styles and javascript document\n $clean_search = array(\n '@<script[^>]*?>.*?</script>@si',\n '@<style[^>]*?>.*?</style>@si'\n );\n\n // Formatting the pdf\n self::format_pdf($course_data, $complete_style);\n $counter = 1;\n foreach ($html_file_array as $file) {\n //Add a page break per file\n $page_break = '<pagebreak>';\n if ($counter == count($html_file_array)) {\n $page_break = '';\n }\n $counter++;\n\n //if the array provided contained subarrays with 'title' entry,\n // then print the title in the PDF\n if (is_array($file) && isset($file['title'])) {\n $html_title = $file['title'];\n $file = $file['path'];\n } else {\n //we suppose we've only been sent a file path\n $html_title = basename($file);\n }\n\n if (empty($file) && !empty($html_title)) {\n //this is a chapter, print title & skip the rest\n if ($print_title) {\n $this->pdf->WriteHTML(\n '<html><body><h3>'.$html_title.'</h3></body></html>'.$page_break\n );\n }\n continue;\n }\n\n if (!file_exists($file)) {\n //the file doesn't exist, skip\n continue;\n }\n\n if ($addStyle) {\n $css_file = api_get_path(SYS_CSS_PATH).'/print.css';\n $css = file_exists($css_file) ? @file_get_contents($css_file) : '';\n\n $this->pdf->WriteHTML($css, 1);\n }\n\n //it's not a chapter but the file exists, print its title\n if ($print_title) {\n $this->pdf->WriteHTML(\n '<html><body><h3>' . $html_title . '</h3></body></html>'\n );\n }\n\n $file_info = pathinfo($file);\n $extension = $file_info['extension'];\n\n if (in_array($extension, array('html', 'htm'))) {\n $dirName = $file_info['dirname'];\n $filename = $file_info['basename'];\n $filename = str_replace('_', ' ', $filename);\n\n if ($extension === 'html') {\n $filename = basename($filename, '.html');\n } elseif($extension === 'htm'){\n $filename = basename($filename, '.htm');\n }\n\n $document_html = @file_get_contents($file);\n $document_html = preg_replace($clean_search, '', $document_html);\n\n //absolute path for frames.css //TODO: necessary?\n $absolute_css_path = api_get_path(WEB_CODE_PATH).'css/'.api_get_setting('stylesheets').'/frames.css';\n $document_html = str_replace('href=\"./css/frames.css\"', $absolute_css_path, $document_html);\n\n if (!empty($course_data['path'])) {\n $document_html= str_replace('../', '', $document_html);\n $document_path = api_get_path(SYS_COURSE_PATH).$course_data['path'].'/document/';\n\n $doc = new DOMDocument();\n $result = @$doc->loadHTML($document_html);\n\n //Fixing only images @todo do the same thing with other elements\n $elements = $doc->getElementsByTagName('img');\n if (!empty($elements)) {\n foreach ($elements as $item) {\n $old_src = $item->getAttribute('src');\n if (strpos($old_src, 'http') === false) {\n if (strpos($old_src, '/main/default_course_document') === false) {\n $old_src_fixed = '';\n\n if (strpos($old_src, '/main/img') === false) {\n if (api_get_path(REL_PATH) != '/') {\n $old_src_fixed = str_replace(\n api_get_path(REL_PATH).'courses/'.$course_data['path'].'/document/',\n '',\n $old_src\n );\n\n // Try with the dirname if exists\n if ($old_src_fixed == $old_src) {\n if (file_exists($dirName.'/'.$old_src)) {\n $document_path = '';\n $old_src_fixed = $dirName.'/'.$old_src;\n }\n }\n } else {\n if (strpos($old_src, 'courses/'.$course_data['path'].'/document/') !== false) {\n $old_src_fixed = str_replace('courses/'.$course_data['path'].'/document/', '', $old_src);\n } else {\n\n // Try with the dirname if exists\n if (file_exists($dirName.'/'.$old_src)) {\n $document_path = '';\n $old_src_fixed = $dirName.'/'.$old_src;\n } else {\n $document_path = '';\n $old_src_fixed = $old_src;\n }\n }\n }\n\n $new_path = $document_path.$old_src_fixed;\n } else {\n $new_path = $old_src;\n }\n $document_html = str_replace($old_src, $new_path, $document_html);\n }\n } else {\n //Check if this is a complete URL\n /*if (strpos($old_src, 'courses/'.$course_data['path'].'/document/') === false) {\n\n } else {\n $old_src_fixed = str_replace(api_get_path(SYS_COURSE_PATH).$course_data['path'].'/document/', '', $old_src);\n $new_path = $document_path.$old_src_fixed;\n $document_html= str_replace($old_src, $new_path, $document_html);\n }*/\n }\n }\n }\n }\n\n api_set_encoding_html($document_html, 'UTF-8'); // The library mPDF expects UTF-8 encoded input data.\n // TODO: Maybe it is better idea the title to be passed through\n $title = api_get_title_html($document_html, 'UTF-8', 'UTF-8');\n // $_GET[] too, as it is done with file name.\n // At the moment the title is retrieved from the html document itself.\n //echo $document_html;exit;\n if (empty($title)) {\n $title = $filename; // Here file name is expected to contain ASCII symbols only.\n }\n if (!empty($document_html)) {\n $this->pdf->WriteHTML($document_html.$page_break);\n }\n } elseif (in_array($extension, array('jpg','jpeg','png','gif'))) {\n //Images\n $image = Display::img($file);\n $this->pdf->WriteHTML('<html><body>'.$image.'</body></html>'.$page_break);\n }\n }\n\n if (empty($pdf_name)) {\n $output_file = 'pdf_'.date('Y-m-d-his').'.pdf';\n } else {\n $pdf_name = api_replace_dangerous_char($pdf_name);\n $output_file = $pdf_name.'.pdf';\n }\n // F to save the pdf in a file\n $this->pdf->Output($output_file, 'D');\n exit;\n }", "public function pdf_html() {\n // PDF::loadHTML($html)->setPaper('a4', 'landscape')->setWarnings(false)->save('myfile.pdf')\n\n return PDF::loadFile(public_path().'/myfile.html')->save('/path-to/my_stored_file.pdf')->stream('download.pdf');\n\n }", "public function export_report_all_format($file_type, $filename, $html)\n { \n $date=date('d/M/Y_H:i:s ');\n \n if($file_type == 'pdf')\n {\n \n App::import('Vendor', 'dompdf', array('file' => 'dompdf' . DS . 'dompdf_config.inc.php'));\n $this->dompdf = new DOMPDF(); \n $papersize = \"legal\";\n $orientation = 'landscape'; \n $this->dompdf->load_html($html);\n $this->dompdf->set_paper($papersize, $orientation); \n $this->dompdf->render();\n $this->dompdf->stream(\"$filename.pdf\");\n $this->dompdf->output();\n die();\n \n } \n else if($file_type == 'xls')\n { \n $file = $filename.\".xls\";\n header('Content-Type: text/html');\n header(\"Content-type: application/x-msexcel\"); //tried adding charset='utf-8' into header\n header(\"Content-Disposition: attachment; filename=$file\");\n echo $html;\n \n }\n else if($file_type == 'doc')\n { \n $file = $filename.\".doc\";\n header(\"Content-type: application/vnd.ms-word\");\n header(\"Content-Disposition: attachment;Filename=Customers.doc\");\n echo $html;\n \n }\n\t\t\n }", "public function generate($html, $filename='', $stream=TRUE, $paper = 'A4', $orientation = \"portrait\")\n {\n// $options->set('isRemoteEnabled', TRUE);\n// $dompdf = new Dompdf($options);\n $dompdf = new DOMPDF();\n $dompdf->set_option('enable_html5_parser', TRUE);\n $dompdf->set_option('isRemoteEnabled', TRUE);\n $dompdf->set_option(\"isPhpEnabled\", true);\n $dompdf->loadHtml($html);\n \n $dompdf->setPaper($paper, $orientation);\n $dompdf->render();\n $canvas = $dompdf->get_canvas();\n $canvas->page_text(512, 820, \"Page: {PAGE_NUM} of {PAGE_COUNT}\",$font, 8, array(0,0,0)); \n\n if ($stream) {\n $dompdf->stream($filename.\".pdf\", array(\"Attachment\" => 0));\n } else {\n return $dompdf->output();\n }\n }", "function html2pdf($doc_src, $doc_dst) {\n require_once(LIB_PATH . 'html2fpdf/html2fpdf.php');\n\n $strContent = @file_get_contents($doc_src);\n\n $strContent = iconv('utf-8', 'gbk', $strContent);\n $pdf = new HTML2FPDF();\n $pdf->AddPage();\n $pdf->writeHTML($strContent);\n $pdf->Output($doc_dst);\n }", "function pdf()\n {\n }", "function pdf()\n {\n }", "public function generatePdf($html){\n\n\t\t// Get output html\n\t\t$html = $this->output->get_output();\n\t\t// Load pdf library\n\t\t$this->load->library('pdf');\n\t\t// Load HTML content\n\t\t$this->dompdf->loadHtml($html);\n\t\n\t\t// (Optional) Setup the paper size and orientation\n\t\t$this->dompdf->setPaper('A4', 'landscape');\n\t\n\t\t// Render the HTML as PDF\n\t\t$this->dompdf->render();\n\t\n\t\t// Output the generated PDF (1 = download and 0 = preview)\n\t\t$this->dompdf->stream(\"Catalogo.pdf\", array(\"Attachment\"=>0));\n\t\n\t}", "function HTML_print_start() {\n global $files4render;\n print \"\n<!DOCTYPE html>\n<html lang=\\\"en\\\">\n <head>\n <meta charset=\\\"utf-8\\\">\n <meta http-equiv=\\\"X-UA-Compatible\\\" content=\\\"IE=edge\\\">\n <meta name=\\\"viewport\\\" content=\\\"width=device-width, initial-scale=1\\\">\n <!-- The above 3 meta tags *must* come first in the head; any other head content must come *after* these tags -->\n \n <title>Booktype mPDF Theme Maker</title>\n\n <!-- Latest compiled and minified CSS -->\n <link rel=\\\"stylesheet\\\" href=\\\"_assets/bootstrap/css/bootstrap3.3.6.min.css\\\">\n \n <!-- Latest compiled and minified JavaScript -->\n <script src=\\\"_assets/js/jquery-1.11.3.min.js\\\"></script>\n <script src=\\\"_assets/bootstrap/js/bootstrap3.3.6.min.js\\\"></script>\n \n <!-- HTML5 shim and Respond.js for IE8 support of HTML5 elements and media queries -->\n <!--[if lt IE 9]>\n <script src=\\\"_assets/bootstrap/js/html5shiv3.7.2.min.js\\\"></script>\n <script src=\\\"_assets/bootstrap/js/respond1.4.2.min.js\\\"></script>\n <![endif]-->\n </head>\n <body>\n <div class=\\\"container\\\">\n <div class=\\\"row\\\">\n <div class=\\\"col-lg-8\\\">\n\n <div class='jumbotron'>\n <h1>Booktype Themes</h1>\n <p>Change the values below and create PDF. If you like what you see, make sure to save the config file!</p> \n <p>\n Currently using:\n <ol>\n <li>HTML 4 mpdf: BODY: <b>\".$files4render['html4mpdf'].\"</b> FRONTMATTER: <b>\".$files4render['frontmatterhtml4mpdf'].\"</b></li>\n <li>CSS 4 mpdf: <b>\".$files4render['css4mpdf'].\"</b></li>\n </ol>\n </p> \n </div>\n \";\n}", "function run() {\n\t\t\t$sPath = getPHPReportsFilePath(); \n\t\t\t$sXML\t = $this->getInput();\n\t\t\t$sCSS = $this->getCSS();\n\n\t\t\t// parameter array with CSS info\n\t\t\t$aParm = Array();\n\t\t\t$aParm[\"css\"] = $sCSS;\n\t\t\t\n\t\t\t// get the tmp directory under the DocumentRoot\n\t\t\t$sDocRoot = $_SERVER[\"DOCUMENT_ROOT\"];\n\n\t\t\t// get the host path\n\t\t\t$sHost = \"http://\".$_SERVER[\"HTTP_HOST\"];\n\t\t\t\n\t\t\t// create some tempnames there\n\t\t\t$sBook = tempnam(realpath($sDocRoot.\"/tmp\"),\"bookmark\");\n\t\t\tunlink($sBook);\n\t\t\t$sBook .= \".html\";\n\t\t\t\n\t\t\t$sRepo = tempnam(realpath($sDocRoot.\"/tmp\"),\"report\");\n\t\t\tunlink($sRepo);\n\t\t\t$sRepo .= \".html\";\n\n\t\t\t// create the bookmarks file\n\t\t\t$oProcFactory = new XSLTProcessorFactory();\n\t\t\t$oProc = $oProcFactory->get();\n\t\t\t$oProc->setXML($sXML);\n\t\t\t$oProc->setXSLT(realpath($sPath.\"/output/bookmarks/bookmarks.xsl\"));\n\t\t\t$oProc->setOutput($sBook);\n\t\t\t$oProc->setParms($aParm);\n\t\t\t$oProc->run();\n\n\t\t\t// create the report file\n\t\t\t$oProcFactory = new XSLTProcessorFactory();\n\t\t\t$oProc = $oProcFactory->get();\n\t\t\t$oProc->setXML($sXML);\n\t\t\t$oProc->setXSLT(realpath($sPath.\"/output/default/default.xsl\"));\n\t\t\t$oProc->setOutput($sRepo);\n\t\t\t$oProc->run();\n\n\t\t\t// code of the framed content\t\t\n\t\t\t$sFrame =\n\t\t\t\"<frameset cols=\\\"150,*\\\">\\n\".\n\t\t\t\"<frame name=\\\"bookmarks\\\" target=\\\"main\\\" src=\\\"$sHost/tmp/\".basename($sBook).\"\\\">\\n\".\n\t\t\t\"<frame name=\\\"report\\\" target=\\\"main\\\" src=\\\"$sHost/tmp/\".basename($sRepo).\"\\\">\\n\".\n\t\t\t\"</frameset>\";\n\n\t\t\t// if there is not an output file, write to browser window\n\t\t\tif(is_null($this->getOutput()))\n\t\t\t\tprint $sFrame;\n\t\t\telse{\n\t\t\t// or open the file and store the frames there\t\n\t\t\t\t$fHandle = fopen($this->getOutput(),\"w\");\n\t\t\t\tfputs($fHandle,$sFrame);\n\t\t\t\tfclose($fHandle);\n\t\t\t}\n\n\t\t\tif($this->isCleaning()) \n\t\t\t\tunlink($sXML);\n\t\t}", "public function content_to_pdf(\n $document_html,\n $css = '',\n $pdf_name = '',\n $course_code = null,\n $outputMode = 'D',\n $saveInFile = false,\n $fileToSave = null,\n $returnHtml = false\n ) {\n global $_configuration;\n\n if (empty($document_html)) {\n return false;\n }\n\n //clean styles and javascript document\n $clean_search = array(\n '@<script[^>]*?>.*?</script>@si',\n '@<style[^>]*?>.*?</style>@siU'\n );\n\n // Formatting the pdf\n $course_data = api_get_course_info($course_code);\n\n self::format_pdf($course_data);\n\n $document_html = preg_replace($clean_search, '', $document_html);\n\n //absolute path for frames.css //TODO: necessary?\n $absolute_css_path = api_get_path(WEB_CSS_PATH).api_get_setting('stylesheets').'/frames.css';\n $document_html = str_replace('href=\"./css/frames.css\"','href=\"'.$absolute_css_path.'\"', $document_html);\n\n $document_html = str_replace('../../', '', $document_html);\n $document_html = str_replace('../', '', $document_html);\n $document_html = str_replace(\n (empty($_configuration['url_append']) ? '' : $_configuration['url_append'].'/').'courses/'.$course_code.'/document/',\n '',\n $document_html\n );\n\n if (!empty($course_data['path'])) {\n $document_path = api_get_path(SYS_COURSE_PATH).$course_data['path'].'/document/';\n\n $doc = new DOMDocument();\n $result = @$doc->loadHTML($document_html);\n\n //Fixing only images @todo do the same thing with other elements\n $elements = $doc->getElementsByTagName('img');\n if (!empty($elements)) {\n foreach ($elements as $item) {\n $old_src = $item->getAttribute('src');\n //$old_src= str_replace('../','',$old_src);\n if (strpos($old_src, 'http') === false) {\n if (strpos($old_src, '/main/default_course_document') === false) {\n if (strpos($old_src, '/main/inc/lib/') === false) {\n $old_src_fixed = str_replace(api_get_path(REL_COURSE_PATH).$course_data['path'].'/document/', '', $old_src);\n $old_src_fixed = str_replace('courses/'.$course_data['path'].'/document/', '', $old_src_fixed);\n $new_path = $document_path.$old_src_fixed;\n $document_html= str_replace($old_src, $new_path, $document_html);\n\n }\n }\n }\n }\n }\n }\n\n //replace relative path by absolute path for resources\n //$document_html= str_replace('src=\"/chamilo/main/default_course_document/', 'temp_template_path', $document_html);// before save src templates not apply\n //$document_html= str_replace('src=\"/', 'temp_template_path', $document_html);// before save src templates not apply\n //$document_html= str_replace('src=\"/chamilo/main/default_course_document/', 'temp_template_path', $document_html);// before save src templates not apply\n\n //$src_http_www= 'src=\"'.api_get_path(WEB_COURSE_PATH).$course_data['path'].'/document/';\n //$document_html= str_replace('src=\"',$src_http_www, $document_html);\n //$document_html= str_replace('temp_template_path', 'src=\"/main/default_course_document/', $document_html);// restore src templates\n\n api_set_encoding_html($document_html, 'UTF-8'); // The library mPDF expects UTF-8 encoded input data.\n $title = api_get_title_html($document_html, 'UTF-8', 'UTF-8'); // TODO: Maybe it is better idea the title to be passed through\n // $_GET[] too, as it is done with file name.\n // At the moment the title is retrieved from the html document itself.\n\n if ($returnHtml) {\n return \"<style>$css</style>\".$document_html;\n }\n\n if (!empty($css)) {\n $this->pdf->WriteHTML($css, 1);\n }\n $this->pdf->WriteHTML($document_html);\n\n if (empty($pdf_name)) {\n $output_file = 'pdf_'.date('Y-m-d-his').'.pdf';\n } else {\n $pdf_name = api_replace_dangerous_char($pdf_name);\n $output_file = $pdf_name.'.pdf';\n }\n //$this->pdf->Output($output_file, $outputMode); // F to save the pdf in a file\n\n if ($outputMode == 'F') {\n $output_file = api_get_path(SYS_ARCHIVE_PATH) . $output_file;\n }\n\n if ($saveInFile) {\n $fileToSave = !empty($fileToSave) ? $fileToSave : api_get_path(SYS_ARCHIVE_PATH).uniqid();\n\n $this->pdf->Output(\n $fileToSave,\n $outputMode\n ); // F to save the pdf in a file\n\n } else {\n $this->pdf->Output(\n $output_file,\n $outputMode\n ); // F to save the pdf in a file\n }\n\n if ($outputMode != 'F') {\n exit;\n }\n }", "function kalins_pdf_tool_page() {\n require_once( WP_PLUGIN_DIR . '/kalins-pdf-creation-station/kalins_pdf_tool_page.php');\n}", "function pdf_export($config, $title = 'new-file')\n{\n\tglobal $sys;\n\t$title = menu_save($title).'.pdf';\n\tif (empty($config['content']))\n\t{\n\t\t$msg = lang('invalid configuration for pdf maker');\n\t}else{\n\t\t$msg = lang('the file has been downloaded, you can close this window now');\n\t\tlink_js(_FUNC.'js/pdf/pdfmake.min.js');\n\t\tlink_js(_FUNC.'js/pdf/vfs_fonts.js');\n\t\t?>\n\t\t<script type=\"text/javascript\">\n\t\t\t\tvar PDFjs = <?php echo json_encode($config); ?>;\n\t\t\t\tpdfMake.createPdf(PDFjs).download('<?php echo $title; ?>');\n\t\t\t_Bbc(function($){\n\t\t\t\twindow.setTimeout(function(){\n\t\t\t\t\twindow.close();\n\t\t\t\t}, 2000)\n\t\t\t});\n\t\t</script>\n\t\t<?php\n\t}\n\t$sys->set_layout('blank');\n\t?>\n\t<div class=\"container\">\n\t\t<div class=\"jumbotron\">\n\t\t <h1><?php echo $title; ?></h1>\n\t\t <p><?php echo $msg; ?></p>\n\t\t <p><a class=\"btn btn-danger btn-lg\" href=\"#\" onclick=\"window.close();\" role=\"button\"><?php echo lang('Close'); ?></a></p>\n\t\t</div>\n\t</div>\n\t<?php\n}", "public function reportePdf()\n {\n //sql query\n //use pdf lib\n //return pdf_file\n }", "function makePDF($text){\n\t\tglobal $tp, $pdfpref;\n\n\t\t//call get preferences\n\t\t$pdfpref = $this->getPDFPrefs();\n\n\t\t//define logo and source pageurl (before the parser!)\n\t\tif(is_readable(THEME.\"images/logopdf.png\"))\n\t\t{\n\t\t\t$logo = THEME.\"images/logopdf.png\";\n\t\t}\n\t\telse\n\t\t{\n\t\t\t$logo = e_IMAGE.\"logo.png\";\n\t\t}\n\t\tdefine('PDFLOGO', $logo);\t\t\t\t\t//define logo to add in header\n\t\tdefine('PDFPAGEURL', $text[6]);\t\t\t\t//define page url to add in header\n\n\t\t//parse the data\n\t\t$text[3] = $this->toPDF($text[3]);\t\t\t\t\t//replace some in the title\n\t\t$text[3] = $this->toPDFTitle($text[3]);\t\t\t//replace some in the title\n\t\tforeach($text as $k=>$v)\n\t\t{\n\t\t\t$text[$k] = $tp->toHTML($v, TRUE);\n\t\t}\n\n\t\t//set some variables\n\t\t$this->SetMargins($pdfpref['pdf_margin_left'],$pdfpref['pdf_margin_top'],$pdfpref['pdf_margin_right']);\n\t\t//$this->SetAutoPageBreak(true,25);\n\n\t\t//start creating the pdf and adding the data\n\t\t$this->DefOrientation=(varset($text[7], 'P') == 'L' ? 'L' : 'P'); \t// Page orientation - P=portrait, L=landscape\n\t\t$this->AliasNbPages();\t\t\t\t\t\t//calculate current page + number of pages\n\t\t$this->AddPage();\t\t\t\t\t\t\t//start page\n\t\t$this->SetFont($pdfpref['pdf_font_family'],'',$pdfpref['pdf_font_size']);\t\t\t\t//set font\n\t\t$this->WriteHTML($text[0], true);\t\t\t//write text\n\t\t$this->SetCreator($text[1]);\t\t\t\t//name of creator\n\t\t$this->SetAuthor($text[2]);\t\t\t\t\t//name of author\n\t\t$this->SetTitle($text[3]);\t\t\t\t\t//title\n\t\t$this->SetSubject($text[4]);\t\t\t\t//subject\n\t\t$this->SetKeywords($text[5]);\t\t\t\t//space/comma separated\n\t\t$file = $text[3].\".pdf\";\t\t\t\t\t//name of the file\n\t\t$this->Output($file, 'D');\t\t\t\t\t//Save PDF to file (D = output to download window)\n\t\treturn;\n\t}", "public function mode_pdf (){\n extract( $this->kernel->params );\n\n $this->mode_view();\n $html = $this->kernel->templ->fetch(\"{$app}_print.tpl\");\n $this->kernel->set_params( array( \"html\" => $html, \"method\" => \"html\" ) );\n echo $this->kernel->call_from(\"web2pdf\", \"index\" );\n exit;\n\n }", "public function pdf($id=''){\n\t\t$data['data'] = $this->user_model->get_transaction($id);\n $content = $this->load->view('admin/pdf_transaction', $data,true);\n\t $this->load->helper(array(\n 'dompdf',\n 'file'\n ));\n // page info here, db calls, etc. \n \n //pdf_create($html, 'filename');\n //or\n $data = pdf_create( $content, 'name', false);\n\t\t$file_to_save = 'pdf/' . 'payment-'.$id . '.pdf';\n write_file($file_to_save, $data);\n \n\t\t$size = filesize($file_to_save);\n\t\t$name= 'payment-'.$id . '.pdf';\n\n\t\theader('Content-Description: File Transfer');\n\t\theader('Content-type: application/pdf');\n\t\theader(\"Content-Disposition: attachment; filename='$name'\");\n\t\theader('Content-Transfer-Encoding: binary');\n\t\theader('Expires: 0');\n\t\theader('Cache-Control: must-revalidate, post-check=0, pre-check=0');\n\t\theader('Pragma: public');\n\t\theader('Content-Length: ' . $size);\n\t\treadfile($file_to_save);\n\t\t\n\t\t/* \n\t\t\n\t\t\n\t\t\n\t\theader('Content-type: application/pdf');\n\t\theader('Content-Disposition: inline; filename=\"file.pdf\"');\n\t\theader('Content-Transfer-Encoding: binary');\n\t\theader('Content-Length: ' . filesize($file_to_save));\n\t\theader('Accept-Ranges: bytes');\n\t\treadfile($file_to_save);\n\t\t\t */\n\t\n\t}", "function tcpdfAction()\r\n\t{\r\n\t\tdefine('K_TCPDF_EXTERNAL_CONFIG', true);\r\n\t\t\r\n\t\tdefine (\"K_PATH_MAIN\", ROOT_DIR.\"/library/PdfTool/tcpdf/\");\r\n\t\r\n\t\t/**\r\n\t\t * url path (http://localhost/tcpdf/)\r\n\t\t */\r\n\t\tdefine (\"K_PATH_URL\", ROOT_URL.\"/library/PdfTool/tcpdf/\");\r\n\t\r\n\t\t/**\r\n\t\t * path for PDF fonts\r\n\t\t * use K_PATH_MAIN.\"fonts/old/\" for old non-UTF8 fonts\r\n\t\t */\r\n\t\tdefine (\"K_PATH_FONTS\", K_PATH_MAIN.\"fonts/\");\r\n\t\r\n\t\t/**\r\n\t\t * cache directory for temporary files (full path)\r\n\t\t */\r\n\t\tdefine (\"K_PATH_CACHE\", K_PATH_MAIN.\"cache/\");\r\n\t\r\n\t\t/**\r\n\t\t * cache directory for temporary files (url path)\r\n\t\t */\r\n\t\tdefine (\"K_PATH_URL_CACHE\", K_PATH_URL.\"cache/\");\r\n\t\r\n\t\t/**\r\n\t\t *images directory\r\n\t\t */\r\n\t\tdefine (\"K_PATH_IMAGES\", K_PATH_MAIN.\"images/\");\r\n\t\r\n\t\t/**\r\n\t\t * blank image\r\n\t\t */\r\n\t\tdefine (\"K_BLANK_IMAGE\", K_PATH_IMAGES.\"_blank.png\");\r\n\t\r\n\t\t/**\r\n\t\t * page format\r\n\t\t */\r\n\t\tdefine (\"PDF_PAGE_FORMAT\", \"A4\");\r\n\t\r\n\t\t/**\r\n\t\t * page orientation (P=portrait, L=landscape)\r\n\t\t */\r\n\t\tdefine (\"PDF_PAGE_ORIENTATION\", \"P\");\r\n\t\r\n\t\t/**\r\n\t\t * document creator\r\n\t\t */\r\n\t\tdefine (\"PDF_CREATOR\", \"TCPDF\");\r\n\t\r\n\t\t/**\r\n\t\t * document author\r\n\t\t */\r\n\t\tdefine (\"PDF_AUTHOR\", \"TCPDF\");\r\n\t\r\n\t\t/**\r\n\t\t * header title\r\n\t\t */\r\n\t\tdefine (\"PDF_HEADER_TITLE\", \"header title\");\r\n\t\r\n\t\t/**\r\n\t\t * header description string\r\n\t\t */\r\n\t\tdefine (\"PDF_HEADER_STRING\", \"first row\\nsecond row\\nthird row\");\r\n\t\r\n\t\t/**\r\n\t\t * image logo\r\n\t\t */\r\n\t\tdefine (\"PDF_HEADER_LOGO\", \"logo_hukumonline.jpg\");\r\n\t\r\n\t\t/**\r\n\t\t * header logo image width [mm]\r\n\t\t */\r\n\t\tdefine (\"PDF_HEADER_LOGO_WIDTH\", 30);\r\n\t\r\n\t\t/**\r\n\t\t * document unit of measure [pt=point, mm=millimeter, cm=centimeter, in=inch]\r\n\t\t */\r\n\t\tdefine (\"PDF_UNIT\", \"mm\");\r\n\t\r\n\t\t/**\r\n\t\t * header margin\r\n\t\t */\r\n\t\tdefine (\"PDF_MARGIN_HEADER\", 5);\r\n\t\r\n\t\t/**\r\n\t\t * footer margin\r\n\t\t */\r\n\t\tdefine (\"PDF_MARGIN_FOOTER\", 10);\r\n\t\r\n\t\t/**\r\n\t\t * top margin\r\n\t\t */\r\n\t\tdefine (\"PDF_MARGIN_TOP\", 27);\r\n\t\r\n\t\t/**\r\n\t\t * bottom margin\r\n\t\t */\r\n\t\tdefine (\"PDF_MARGIN_BOTTOM\", 25);\r\n\t\r\n\t\t/**\r\n\t\t * left margin\r\n\t\t */\r\n\t\tdefine (\"PDF_MARGIN_LEFT\", 15);\r\n\t\r\n\t\t/**\r\n\t\t * right margin\r\n\t\t */\r\n\t\tdefine (\"PDF_MARGIN_RIGHT\", 15);\r\n\t\r\n\t\t/**\r\n\t\t * main font name\r\n\t\t */\r\n\t\tdefine (\"PDF_FONT_NAME_MAIN\", \"vera\"); //vera\r\n\t\tdefine ('PDF_FONT_MONOSPACED', 'courier');\r\n\t\r\n\t\t/**\r\n\t\t * main font size\r\n\t\t */\r\n\t\tdefine (\"PDF_FONT_SIZE_MAIN\", 10);\r\n\t\r\n\t\t/**\r\n\t\t * data font name\r\n\t\t */\r\n\t\tdefine (\"PDF_FONT_NAME_DATA\", \"vera\"); //vera\r\n\t\r\n\t\t/**\r\n\t\t * data font size\r\n\t\t */\r\n\t\tdefine (\"PDF_FONT_SIZE_DATA\", 8);\r\n\t\r\n\t\t/**\r\n\t\t * scale factor for images (number of points in user unit)\r\n\t\t */\r\n\t\tdefine (\"PDF_IMAGE_SCALE_RATIO\", 4);\r\n\t\r\n\t\t/**\r\n\t\t * magnification factor for titles\r\n\t\t */\r\n\t\tdefine(\"HEAD_MAGNIFICATION\", 1.1);\r\n\t\r\n\t\t/**\r\n\t\t * height of cell repect font height\r\n\t\t */\r\n\t\tdefine(\"K_CELL_HEIGHT_RATIO\", 1.25);\r\n\t\r\n\t\t/**\r\n\t\t * title magnification respect main font size\r\n\t\t */\r\n\t\tdefine(\"K_TITLE_MAGNIFICATION\", 1.3);\r\n\t\r\n\t\t/**\r\n\t\t * reduction factor for small font\r\n\t\t */\r\n\t\tdefine(\"K_SMALL_RATIO\", 2/3);\r\n\t\t\r\n\t\trequire_once('PdfTool/tcpdf/tcpdf.php');\r\n\t\t// create new PDF document\r\n\t\t$pdf = new TCPDF();\r\n\t\t\r\n\t\t// set document information\r\n\t\t$pdf->SetCreator(PDF_CREATOR);\r\n\t\t$pdf->SetAuthor('Nicola Asuni');\r\n\t\t$pdf->SetTitle('TCPDF Example 001');\r\n\t\t$pdf->SetSubject('TCPDF Tutorial');\r\n\t\t$pdf->SetKeywords('TCPDF, PDF, example, test, guide');\r\n\t\t\r\n\t\t// set default header data\r\n\t\t$pdf->SetHeaderData(PDF_HEADER_LOGO, PDF_HEADER_LOGO_WIDTH, PDF_HEADER_TITLE.' 001', PDF_HEADER_STRING);\r\n\t\t\r\n\t\t// set header and footer fonts\r\n\t\t$pdf->setHeaderFont(Array(PDF_FONT_NAME_MAIN, '', PDF_FONT_SIZE_MAIN));\r\n\t\t$pdf->setFooterFont(Array(PDF_FONT_NAME_DATA, '', PDF_FONT_SIZE_DATA));\r\n\t\t\r\n\t\t// set default monospaced font\r\n\t\t$pdf->SetDefaultMonospacedFont(PDF_FONT_MONOSPACED);\r\n\t\t\r\n\t\t//set margins\r\n\t\t$pdf->SetMargins(PDF_MARGIN_LEFT, PDF_MARGIN_TOP, PDF_MARGIN_RIGHT);\r\n\t\t$pdf->SetHeaderMargin(PDF_MARGIN_HEADER);\r\n\t\t$pdf->SetFooterMargin(PDF_MARGIN_FOOTER);\r\n\t\t\r\n\t\t//set auto page breaks\r\n\t\t$pdf->SetAutoPageBreak(TRUE, PDF_MARGIN_BOTTOM);\r\n\t\t\r\n\t\t//set image scale factor\r\n\t\t$pdf->setImageScale(PDF_IMAGE_SCALE_RATIO);\r\n\t\t\r\n\t\t//set some language-dependent strings\r\n\t\t//$pdf->setLanguageArray($l);\r\n\t\t\r\n\t\t// ---------------------------------------------------------\r\n\t\t\r\n\t\t// set default font subsetting mode\r\n\t\t$pdf->setFontSubsetting(true);\r\n\t\t\r\n\t\t// Set font\r\n\t\t// dejavusans is a UTF-8 Unicode font, if you only need to\r\n\t\t// print standard ASCII chars, you can use core fonts like\r\n\t\t// helvetica or times to reduce file size.\r\n\t\t$pdf->SetFont('dejavusans', '', 14, '', true);\r\n\t\t\r\n\t\t// Add a page\r\n\t\t// This method has several options, check the source code documentation for more information.\r\n\t\t$pdf->AddPage();\r\n\t\t\r\n\t\t// Set some content to print\r\n\t\t$html = '\r\n\t\t<h1>Welcome to <a href=\"http://www.tcpdf.org\" style=\"text-decoration:none;color:black;\"><span style=\"background-color:#CC0000;\"> TC<span style=\"color:white;\">PDF</span> </span></a>!</h1>\r\n\t\t<i>This is the first example of TCPDF library.</i>\r\n\t\t<p>This text is printed using the <i>writeHTMLCell()</i> method but you can also use: <i>Multicell(), writeHTML(), Write(), Cell() and Text()</i>.</p>\r\n\t\t<p>Please check the source code documentation and other examples for further information.</p>\r\n\t\t<p style=\"color:#CC0000;\">TO IMPROVE AND EXPAND TCPDF I NEED YOUR SUPPORT, PLEASE <a href=\"http://sourceforge.net/donate/index.php?group_id=128076\">MAKE A DONATION!</a></p>\r\n\t\t';\r\n\t\t\r\n\t\t// Print text using writeHTMLCell()\r\n\t\t$pdf->writeHTMLCell($w=0, $h=0, $x='', $y='', $html, $border=0, $ln=1, $fill=0, $reseth=true, $align='', $autopadding=true);\r\n\t\t\r\n\t\t// ---------------------------------------------------------\r\n\t\t\r\n\t\t// Close and output PDF document\r\n\t\t// This method has several options, check the source code documentation for more information.\r\n\t\t$pdf->Output('example_001.pdf', 'I');\r\n\t\t\r\n\t}", "function PS2PDFWriter($file_name) {\n if (!function_exists('exec')) {\n readfile('templates/missing_exec.html');\n error_log(\"'exec' function is not available\");\n die();\n }\n\n // Check if ghostscript is available\n exec(GS_PATH.\" --version\", $output, $result);\n if ($result) {\n readfile('templates/missing_gs.html');\n error_log(\"Ghostscript executable not found:'\".GS_PATH.\"'\");\n die();\n };\n\n // Call base-class constructor;\n $this->PSWriter($file_name);\n $this->file_handle = fopen($this->file_name, \"wb\");\n }", "function convert($fn,$x,$y,$pg) \n {\n \n $target = $fn . '.pdf';\n \n // should check dates...!!!!\n if (file_exists($target) && filesize($target) ) {\n \n if (is_file($fn) && filemtime($target) > filemtime($fn)) {\n return $target;\n }\n \n }\n require_once 'System.php';\n \n $conv = System::which('wkhtmltopdf');\n \n if (!empty(File_Convert::$options['wkhtmltopdf.bin'])) {\n $conv = System::which(File_Convert::$options['wkhtmltopdf.bin']);\n if (!$conv) {\n die(\"could not find \". File_Convert::$options['wkhtmltopdf.bin']);\n }\n }\n \n if (!empty(File_Convert::$options['wkhtmltopdf'])) {\n $conv .= File_Convert::$options['wkhtmltopdf'];\n \n }\n \n \n \n $cmd = $conv .' -n ' . escapeshellarg($fn) . ' ' .escapeshellarg($target);\n \n $res = $this->exec($cmd);\n clearstatcache();\n \n if (!file_exists($target) ) {\n // try with X wrapper..Xvfb\n \n $xvfb = System::which('xvfb-run');\n if (empty($xvfb) || !file_exists($xvfb)) {\n return false;\n }\n $cmd = $xvfb .' ' . $cmd;\n \n $res = $this->exec($cmd);\n }\n \n //echo $res;\n clearstatcache();\n return file_exists($target) && filesize($target) ? $target : false;\n \n }", "function generatePdf()\n {\n //get content\n //$title = get_the_title(get_the_ID());\n //echo '<script type=\"text/javascript\" language=\"Javascript\">alert(\"generatepdf\")</script>';\n $title = $this->get_permalink_post_name();\n $id = get_the_ID();\n $post = get_post($id);\n $content = apply_filters('the_content', $post->post_content);\n //add header to pdf file\n $content = '<img src=\"'. get_option('pdf_header_dir') .' \">'. $content;\n \n //create pdf\n $mpdf = new mPDF();\n $mpdf->WriteHTML($content);\n $mpdf->Output('../wp-content/uploads/' . $title . '.pdf', 'F');\n //exit;\n }", "public function pdf() {\r\n $this->load->helper('dompdf');\r\n $data =array();\r\n $this->load->view('layout/templates/pdf', $this->template_vars);\r\n }", "function GenerateHelpPdf () {\r\n global $configInfo, $db;\r\n\r\n require_once('includes/tcpdf/config/lang/eng.php');\r\n require_once('includes/tcpdf/tcpdf.php');\r\n\r\n // create new PDF document\r\n $pdf = new TCPDF( PDF_PAGE_ORIENTATION, PDF_UNIT, PDF_PAGE_FORMAT, true, 'UTF-8', false );\r\n $pdf->SetDisplayMode( 'default', 'continuous' );\r\n\r\n\r\n $fileName = \"cv_help.pdf\";\r\n $fileName = CleanFilename( $fileName );\r\n //$headerTitle = 'CV Help';\r\n\r\n\r\n // set document information\r\n $pdf->SetDisplayMode( 'real', 'OneColumn', 'UseNone' ); // added by TDavis to avoid jumping at bottom of pages\r\n $pdf->SetCreator( PDF_CREATOR );\r\n $pdf->SetAuthor( $userFullName );\r\n $pdf->SetTitle( 'Help Document' );\r\n $pdf->SetSubject( 'Help for CV Item Types' );\r\n $pdf->SetKeywords( \"cv, annual report, mru, {$cvData['cv_information']['first_name']}, {$cvData['cv_information']['last_name']}\" );\r\n\r\n // set default header data\r\n //$pdf->SetHeaderData( PDF_HEADER_LOGO, PDF_HEADER_LOGO_WIDTH, $headerTitle, $headerText );\r\n\r\n // set header and footer fonts\r\n //$pdf->setHeaderFont( Array( PDF_FONT_NAME_MAIN, '', PDF_FONT_SIZE_MAIN ) );\r\n //$pdf->setFooterFont( Array( PDF_FONT_NAME_DATA, '', PDF_FONT_SIZE_DATA ) );\r\n\r\n //set margins\r\n $pdf->SetMargins( PDF_MARGIN_LEFT, 18, PDF_MARGIN_RIGHT );\r\n $pdf->SetHeaderMargin( 10 );\r\n $pdf->SetFooterMargin( PDF_MARGIN_FOOTER );\r\n\r\n //set auto page breaks\r\n $pdf->SetAutoPageBreak( TRUE, PDF_MARGIN_BOTTOM );\r\n\r\n //set image scale factor\r\n $pdf->setImageScale( PDF_IMAGE_SCALE_RATIO );\r\n\r\n //set some language-dependent strings\r\n $pdf->setLanguageArray( $l );\r\n\r\n $indent1 = 20;\r\n \r\n \r\n define(\"PAGE_WIDTH\", 180);\r\n define(\"INDENT_1_LEFT\", 20);\r\n define(\"INDENT_1_RIGHT\", 0);\r\n\r\n define(\"INDENT_2_LEFT\", 30);\r\n define(\"INDENT_2_RIGHT\", 10);\r\n\r\n $sql = \"SELECT heading_name,type_name,help_text FROM cas_headings ch JOIN cas_types ct ON (ch.cas_heading_id=ct.cas_heading_id)\r\nORDER BY ch.`order`,ct.`order`\";\r\n $helpData = $db->GetAll( $sql );\r\n // ---------------------------------------------------------\r\n // Create the PDF Document:\r\n \r\n $pdf->AddPage(); // adds a new page / page break\r\n $currentHeading = \"\";\r\n foreach ( $helpData as $help ) {\r\n if ( $currentHeading != $help['heading_name'] ) {\r\n $currentHeading = $help['heading_name'];\r\n $pdf->SetFont( MRUPDF_H1_FONT_FACE, 'BU', 10 );\r\n $pdf->Ln( 3 );\r\n //$pdf->SetTextColor( 255 );\r\n //$pdf->SetFillColor( 75 );\r\n $pdf->setX( 15 );\r\n $pdf->Cell( 0, 5, $currentHeading, '', 1, 'L', 0 );\r\n //$pdf->SetTextColor( 0 );\r\n $pdf->Ln( 1 );\r\n //$pdf->Bookmark( ucwords( strtolower( $currentHeading ) ), 0, 0 );\r\n \r\n \r\n }\r\n \r\n \r\n $pdf->SetFont( MRUPDF_H2_FONT_FACE,'', 9 );\r\n $pdf->Cell( 0, 4, $help['type_name'], '', 1, 'L');\r\n \r\n if($help['help_text'] != '' ) {\r\n $helpText=$help['help_text'];\r\n $pdf->SetFont( MRUPDF_REGULAR_FONT_FACE, 'I', 8 );\r\n $text = htmlentities( $helpText, ENT_COMPAT, cp1252 );\r\n $pdf->WriteHTML( nl2br( $helpText ), true, 0, true, true );\r\n $pdf->Ln( 1 );\r\n }\r\n else $pdf->Ln( 3 );\r\n \r\n }\r\n\r\n\r\n\r\n //Close and output PDF document\r\n if ( $localFileName ) {\r\n // send to a local file\r\n $pdf->Output( $localFileName, 'F' );\r\n } else {\r\n // stream to the browser\r\n $pdf->Output( $fileName, 'D' ); // (use 'I' for inline mode (ignores filename), use 'D' for prompt to download mode with filename)\r\n } // if\r\n}", "function PDFWriter($file_name, $version) {\n if (!extension_loaded('pdf')) {\n\n // Try to use \"dl\" to dynamically load PDFLIB\n $result = dl(PDFLIB_DL_PATH);\n\n if (!$result) {\n readfile('templates/missing_pdflib.html');\n error_log(\"No PDFLIB extension found\");\n die();\n }\n }\n\n // Call base-class constructor;\n $this->PSWriter($file_name);\n\n $this->pdf = pdf_new();\n\n // Set PDF compatibility level\n pdf_set_parameter($this->pdf, \"compatibility\", $version);\n\n pdf_open_file($this->pdf, $file_name);\n\n // Set path to the PDFLIB UPR file containig information about fonts and encodings\n // pdf_set_parameter($this->pdf, \"resourcefile\", PDFLIB_UPR_PATH);\n\n // Setup font outlines\n global $g_font_resolver_pdf;\n $g_font_resolver_pdf->setup_ttf_mappings($this->pdf);\n\n $pdf = $this->pdf;\n pdf_set_info($pdf, \"Creator\", \"html2ps (PHP version)\");\n }", "public function generarConstanciaPDF() {\n if(!$this->terminar()) {\n echo $this->data['msgError'];\n return false;\n }\n //pr($this->session->all_userdata()); exit;\n $this->load->model('personas/modpersonas', 'mpers');\n $codiEncuesta = $this->session->userdata('codiEncuesta');\n $estadoActual = $this->session->userdata('estado');\n $fechaCertificado = $this->session->userdata('fechaCertificado');\n if(!empty($fechaCertificado)) {\n $fechaCertificado = date('d/m/Y');\n }\n $this->data['view'] = 'constanciaPDF';\n $this->data['ecensoHeader'] = '<img src=\"' . base_dir_images('certificateHeader.png') . '\" />';\n //$this->data['ecensoHeader'] = '';\n $this->data['ecensoFooter'] = '<img src=\"' . base_dir_images('certificateFooter.png') . '\" />';\n //$this->data['ecensoFooter'] = '';\n $this->data['expedicion'] = obtener_texto_fecha(formatear_fecha($fechaCertificado));\n\n\n $this->load->library('html2pdf');\n $this->html2pdf->folder(base_dir_files()); // Cambiar a tmp/\n $this->html2pdf->filename('constancia_cnpv-' . $codiEncuesta . '.pdf');\n $this->html2pdf->paper('letter', 'landscape');\n\n $arrParam = array(\n 'codiEncuesta' => $codiEncuesta,\n 'codiVivienda' => $this->session->userdata('codiVivienda'),\n 'codiHogar' => $this->session->userdata('codiHogar'),\n 'idPers' => $this->session->userdata('idPers')\n );\n $arrPersona = $this->mpers->consultarPersonas($arrParam);\n //pr($arrPersona); exit;\n if(count($arrPersona) > 0) {\n $arrPersona = array_shift($arrPersona);\n $this->data['nombrePersona'] = $arrPersona['nombre'];\n $this->data['cedula'] = $arrPersona['PA1_NRO_DOC'];\n }\n //pr($this->data); exit;\n $html = $this->load->view($this->data['view'], $this->data, true);\n //echo $html; exit;\n $this->html2pdf->html($html);\n $this->html2pdf->html(\"<div>herp</div><div>derp</div>\");\n $this->html2pdf->create('');\n }" ]
[ "0.63934034", "0.6345253", "0.6219809", "0.61327785", "0.612431", "0.60793275", "0.6071965", "0.60693496", "0.6041544", "0.6028106", "0.60050654", "0.60050654", "0.5999526", "0.5980765", "0.5939572", "0.5851697", "0.58344084", "0.5827474", "0.57912815", "0.57355314", "0.57326716", "0.566941", "0.566328", "0.56206506", "0.5616836", "0.5596665", "0.55772", "0.55657244", "0.55473685", "0.5521038" ]
0.69317615
0
Devuelve la cantidad de articulos disponibles que se puede enviar
public function cantidadDisponible() { $itemsEnviados = EnvioItem::where('items_compras_id', $this->id)->get(); if ($itemsEnviados->count() > 0) { return $this->cantidad - $itemsEnviados->sum('contidad'); }else{ return $this->cantidad; } }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "static function cantidad_procesos_totales_finalizados(){\n return $cantidad_procesos = DB::table('proceso_contractuals')\n ->Where('estado','Finalizado')\n ->count();\n }", "function countArticles() {\n if (isset($_SESSION['cart']))\n return count($_SESSION['cart']['labelProduct']);\n else\n return 0;\n }", "function cantAvisos(){\n $pdo = Database::connect();\n $sql = \"SELECT count(id) as count from aviso\";\n \n $result = $pdo->query($sql);\n Database::disconnect();\n\n $arr = 0;\n foreach ($result as $row) {\n $arr = $row['count'];\n break;\n }\n // Return json array containing data from the database\n return $arr;\n \n }", "function getSize(){\n\t\t// Ambil ukuran tabel(array) dalam session\n\t\t$tmp = $this->session->userdata($this->sess_beli);\n\t\treturn count($tmp);\n\t}", "static function cantidad_procesos_totales_desiertos(){\n return $cantidad_procesos = DB::table('proceso_contractuals')\n ->Where('estado','Desierto')\n ->count();\n }", "public function getNbArticles()\n { // à compléter \n $total = 0;\n $articles = $this->getContenu();\n foreach ($articles as $article) {\n $total = $total + $article->quantite;\n }\n return $total;\n }", "static function cantidad_procesos_enviados($nombreProceso){\n return $cantidad_procesos_enviados = DB::table('proceso_contractuals')\n ->where('tipo_proceso', $nombreProceso)\n ->Where('estado','Enviado al Área de Adquisiciones.')\n ->count();\n }", "public function compterLesAnnonces(){\n $db = $this->getPDO();\n $limite = 2;\n //Requète qui compte le nombre d'entrée\n $resultFoundRows = $db->query('SELECT COUNT(id_produit) FROM produits');\n /* On doit extraire le nombre du jeu de résultat */\n $nombredElementsTotal = $resultFoundRows->fetchColumn();\n /* Si on est sur la première page, on n'a pas besoin d'afficher de lien\n * vers la précédente. On va donc ne l'afficher que si on est sur une autre\n * page que la première */\n $nombreDePages = ceil($nombredElementsTotal / $limite);\n return $nombreDePages;\n }", "public function countCommercial(){\n\t\t\t\t\t return count($this->listeCommercial());\n\t\t\t\t\t }", "function count_contents() {\n\t\t$total_items = 0;\n\t\tif (is_array($this->contents)) {\n\t\t\treset($this->contents);\n\t\t\twhile (list($products_id, ) = each($this->contents)) {\n\t\t\t\t$total_items += $this->get_quantity($products_id);\n\t\t\t}\n\t\t}\n\t\treturn $total_items;\n\t}", "public function getCantEjes()\n {\n return $this->cantEjes;\n }", "static function cantidad_procesos_sin_enviar($nombreProceso){\n return $cantidad_procesos_sin_enviar = DB::table('proceso_contractuals')\n ->where('tipo_proceso', $nombreProceso)\n ->Where('estado','Sin enviar al Área de Adquisiciones.')\n ->count();\n }", "public function num_productos_cantidades(){ \t\t\r\n\t\t\t$sql = \"SELECT count(productos_traspasos.cve) as cantidades FROM catalogos,catalogos_productos,productos_traspasos,productos,traspasos WHERE traspasos.folio=productos_traspasos.folio and catalogos_productos.id_catalogo=catalogos.id_catalogo and productos_traspasos.cve=catalogos_productos.cve and productos.cve=productos_traspasos.cve and tipo=0 and traspasos.folio=\".$_POST['folio'];\r\n\t\t\treturn $this->query($sql);\r\n\t\t}", "public function countListDerivacion(){\n\n\t\t$usuario=Yii::app()->user->id_usuario;\n\n\t $connection= Yii::app()->db;\n\t\t$row=Yii::app()->db->createCommand(\"SELECT count(id_lista_derivacion) as cantidad FROM lista_derivacion WHERE usuario_origen=$usuario\")->query()->read();\n\t\treturn $row['cantidad']; \n\n\t}", "public function getCantidadProductoInventario(){\n return $this->cantidadProductoInventario;\n }", "public function agentesNoDisponibles() {\r\n\t\t$noDisponibles = 0;\r\n\t\tforeach ( $this->agentes as $agente ) {\r\n\t\t\tif (($agente->__get ( 'pausado' ) == '1') || ($agente->__get ( 'estatus' ) == '5')) {\r\n\t\t\t\t$noDisponibles ++;\r\n\t\t\t}\r\n\t\t}\r\n\t\treturn $noDisponibles;\r\n\t}", "public function getCountDisponiblesEncuestaCriterio($encuesta){\n\t\t$encuesta = (int) $encuesta;\n\n\t\t$cont = $this->_db->prepare(\"SELECT count(c.id) as filas, cr.nombre as nom_criterio FROM contactos c LEFT JOIN criterios cr ON c.criterio = cr.id WHERE encuesta = ? AND estado_contacto = 1 AND estado_llamada = 7 GROUP BY nom_criterio\");\n\t\t$cont->bindParam(1, $encuesta);\n\t\t$cont->execute();\n\n\t\treturn $cont->fetchall();\n\t}", "function collectionGetSize() {\r\n\t\t$output = array();\r\n\t\t$where = '';\r\n\t\t$where .= build_limit($this->data['start'],$this->data['limit']);\r\n\t\t$query = \"SELECT * FROM `collection` \" . $where;\r\n\t\t$rets = $this->db->query_all($query);\r\n\t\tif ($rets == NULL) {\r\n\t\t\treturn false;\r\n\t\t}\r\n\t\tif(is_array($rets) && count($rets)) {\r\n\t\t\tforeach($rets as $ret) {\r\n\t\t\t\t$ar = array();\r\n\t\t\t\t$ar['collectionId'] = $ret->collectionId;\r\n\t\t\t\t$ar['collection'] = $ret->code;\r\n\t\t\t\t$code = $ret->code;\r\n\r\n# logic to be changed, need to calculate from the master_log table\r\n\t\t\t\t$query = \"SELECT count(*) ct from `image` WHERE `barcode` LIKE '$code%'\";\r\n\t\t\t\t$re = $this->db->query_one($query);\r\n\t\t\t\t$ar['imaged'] = $re->ct;\r\n\r\n\t\t\t\t$ar['notimaged'] = $ret->collectionSize - $re->ct;\r\n\t\t\t\t$output[] = $ar;\r\n\t\t\t}\r\n\t\t}\r\n\t\treturn $output;\r\n\t}", "public function countLigne_producion(){\n\t\t\t\t\t return count($this->listeLigne_producion());\n\t\t\t\t\t }", "public static function getNumberArticleVisible($visibilite){\n return Article::where('article.visibilite', $visibilite)\n ->count();\n\n }", "static function cantidad_procesos_finalizados($nombreProceso){\n return $cantidad_procesos_enviados = DB::table('proceso_contractuals')\n ->where('tipo_proceso', $nombreProceso)\n ->Where('estado','Finalizado')\n ->count();\n }", "function filas_nuevos()\n {\n $consulta = $this->db->get('imagenes');\n return $consulta->num_rows() ;\n }", "public function getCantAsientos()\n {\n return $this->cantAsientos;\n }", "public function test()\n { \n $repartos = DB::table('repartos')->get();\n foreach ($repartos as $reparto) {\n $reparto_id = $reparto->id;\n \n $cantEvacpRepart[] = DB::table('evacuados')\n ->where('reparto_id', $reparto_id)\n ->count();\n }\n\n \n \n \n }", "public function size() {}", "public function tatalEspecies(){ \t\n\n\t\t\t$resultado = array();\n\t\t\t\n\t\t\t$query = \"Select count(idEspecie) as cantidadEspecie from tb_especies \";\n\t\t\t\n\t\t\t$conexion = parent::conexionCliente();\n\t\t\t\n\t\t\tif($res = $conexion->query($query)){\n\t \n\t /* obtener un array asociativo */\n\t while ($filas = $res->fetch_assoc()) {\n\t $resultado = $filas;\n\t }\n\t \n\t /* liberar el conjunto de resultados */\n\t $res->free();\n\t \n\t }\n\t\n\t return $resultado['cantidadEspecie'];\t\t\t\n\t\t\t\n\t\t\t\n }", "private function checkNumOfEntries() {\n if ($this->getTotalProjects() < NUM_OF_REC + 1) {\n echo \"You need to have at least four project entries in the database\";\n echo \"<br>Number of entries: \" . $this->getTotalProjects();\n $this->closeConnection();\n exit();\n }\n }", "public function getProductCount();", "public function nbListesPub() : int\n {\n $query='SELECT COUNT(*) FROM liste WHERE privee=:priv';\n $this->co->executeQuery($query,array(':priv' => array('NON',PDO::PARAM_STR)));\n $resultats=$this->co->getResultats();\n return $resultats[0]['COUNT(*)'];\n }", "function count_contents() \r\n\t{ \r\n\t\t$total_items = 0;\r\n\t\tif (is_array($this->contents)) \r\n\t\t{\t\t\t\t\r\n\t\t\tforeach ($this->contents as $product_id=>$product) \r\n\t\t\t{\r\n\t\t\t\tif ($product_id == -1)\r\n\t\t\t\t\tcontinue;\r\n\t\t\t\t\t\r\n\t\t\t\tforeach ($product[\"color\"] as $color=>$quantity)\r\n\t\t\t\t\t$total_items += $quantity;\r\n\t\t\t}\r\n\t\t}\r\n\r\n\t\treturn $total_items;\r\n }" ]
[ "0.6122284", "0.60731864", "0.6005932", "0.5965381", "0.595506", "0.5930356", "0.59200615", "0.5908838", "0.58849365", "0.5839108", "0.58351606", "0.5809896", "0.5803792", "0.5786945", "0.5783044", "0.5777836", "0.5769365", "0.57594657", "0.5758985", "0.57458645", "0.57371575", "0.57355213", "0.5694098", "0.56731445", "0.56652987", "0.56633264", "0.5651335", "0.5649247", "0.5649235", "0.56470007" ]
0.6140075
0
Get the review_artist that is related to this report
public function getReviewArtist(): ActiveQueryInterface { return $this->hasOne(ReviewArtist::class, ['review_artist_id' => 'fk']) ->onCondition(['type' => self::TYPE_ARTIST]); }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function getReviewArtist(): ActiveQueryInterface\n {\n return $this->hasOne(ReviewArtist::class, ['review_artist_id' => 'review_artist_id']);\n }", "public function getArtist()\n {\n return $this->hasOne(Artists::className(), ['id' => 'artist_id']);\n }", "public function getArtist() {\n return $this->artist;\n }", "public function artist()\n {\n return $this->hasOne(Artist::class);\n }", "public function getTracksArtist()\n\t{\n\t\treturn $this->tracks_artist;\n\t}", "public function getArtistPartyReference()\n {\n return $this->artistPartyReference;\n }", "public function artist()\n {\n return $this->belongsTo(__NAMESPACE__ .'\\Artist');\n }", "public function artist()\n {\n return $this->belongsTo(Artist::class);\n }", "function getArtist() {\n\t\treturn $this->getParamSet()->getParam(self::PARAM_ARTIST);\n\t}", "public function getArt_author()\n {\n return $this->art_author;\n }", "public function getReview()\n {\n return $this->review;\n }", "public function getReview()\n {\n return $this->review;\n }", "public function artist($artist)\r\n\t{\r\n\t\treturn isset($this->artists[$artist]) ? $this->artists[$artist] : false;\r\n\t}", "public function artist(){\n\t\treturn $this->belongsTo('App\\Artist');\n\t}", "public function getReviewAuthor()\n {\n return $this->hasOne(Users::className(), ['id' => 'review_author_id']);\n }", "public function getReview();", "public function getReview();", "public function getReview();", "public function getArtistId(): int\r\n {\r\n return $this->artistId;\r\n }", "public function artists()\n {\n return $this->hasMany('App\\Artist');\n }", "public function review()\n\t{\n\t\treturn $this->hasOne('App\\Review');\n\t}", "public function getReviewedAuthor()\n {\n return $this->reviewedAuthor;\n }", "public function artist($artist)\n {\n $this->artist\n ->set('value', $artist);\n\n return $this;\n }", "public function getDisplayArtistRole()\n {\n return $this->displayArtistRole;\n }", "public function getOsesReview()\n {\n return $this->hasMany(Review::className(), ['id' => 'review_id'])\n ->viaTable('os_review', ['os_id' => 'id']);\n }", "public function artists()\r\n\t{\r\n\t\treturn $this->artists;\r\n\t}", "public function CompetitionArtist(){\n return $this->hasMany('App\\CompetitionArtist', 'competition_id', 'id');\n }", "public function show(Artist $artist)\n {\n return $artist\n ->with('songs')\n ->find($artist->id);\n }", "public function setArtist($artist) {\n $this->artist = $artist;\n }", "public function reviewResult()\n {\n return $this->hasOne('App\\Addons\\VendorDataModeration\\Entities\\ReviewResult', 'product_id', 'id');\n }" ]
[ "0.67715037", "0.66836166", "0.66327935", "0.6471273", "0.62586737", "0.6127834", "0.60284954", "0.5947788", "0.57427233", "0.571835", "0.56983757", "0.56983757", "0.56904024", "0.567104", "0.56291914", "0.5580965", "0.5580965", "0.5580965", "0.5568303", "0.5529898", "0.5500426", "0.546446", "0.54455775", "0.54302984", "0.541063", "0.5391592", "0.53631955", "0.53432983", "0.52630395", "0.52599806" ]
0.6746802
1
Sanitize tab name to class name
private function Cs_SanitizeTabToFunction( $tab_name ){ if( ( $pos = strpos( $tab_name, '-' )) !== false ){ return str_replace( ' ', '', ucwords( str_replace( '-', ' ', substr( $tab_name, (int)($pos+1) )))); } return false; }
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "function tab_class($tab) {\r\n\tif ( basename($_SERVER['PHP_SELF'], '.php') == $tab || strstr($_SERVER[\"REQUEST_URI\"], $tab) ) {\r\n\t\treturn 'active';\r\n\t}\r\n\telse {\r\n\t\treturn '';\r\n\t}\r\n}", "public function getTab() {\n $t = $this->get('Tab');\n if($t) {\n\t if(substr($t, 0, 5) == \"Root.\") {\n\t \treturn $t;\n\t }\n\t return \"Root.{$t}\";\n \t}\n \treturn \"Root.Main\";\n }", "function tab_name()\n {\n return 'Skills Builder';\n }", "public function getTabTitle()\n {\n return __('Attributes mapping - TAB');\n }", "public function getTab()\n {\n return 'HTML';\n }", "public function getTabTitle()\n {\n return __(self::TAB_LABEL);\n }", "function tab_name() {\n \treturn 'Simple Overview';\n }", "public static function normalizeClassName(string $className): string\n {\n preg_match_all('#([A-Z\\\\\\][A-Z0-9\\\\\\]*(?=$|[A-Z\\\\\\][a-z0-9\\\\\\])|[A-Za-z\\\\\\][a-z0-9\\\\\\]+)#', $className, $matches);\n $ret = $matches[0];\n foreach ($ret as &$match) {\n $match = $match === mb_strtoupper($match) ? mb_strtolower($match) : lcfirst($match);\n }\n\n return preg_replace('#\\\\\\_#', '.', implode('_', $ret));\n }", "protected static function getClassname()\n {\n $className = explode('\\\\', get_called_class());\n $className = array_pop($className);\n\n return str_replace('_', '-', strtolower($className));\n }", "public function get_tab_slug() {\n\t\treturn 'ssh_console';\n\t}", "function _themename_rename_reviews_tab($tabs) {\n\n $tabs['reviews']['title'] = str_replace('Reviews', 'What customers are saying', $tabs['reviews']['title']);\n\n return $tabs;\n}", "public static function className( $class ) {\n if ( $postfix = strrchr( $class, \"\\\\\" ) )\n $class = substr( $postfix, 1 );\n if ( substr( $class, 0, strlen( \"SAM\" ) ) == \"SAM\" )\n $class = substr( $class, strlen( \"SAM\" ) );\n $class = str_replace( \"_\", \"\", $class );\n $name = urlencode( $class );\n $name = strtolower( $name );\n return $name;\n }", "private static function sanitizeNamespace($className)\n {\n if (strpos(ltrim($className, '\\\\'), self::$defaultNamespace) !== 0){\n $className = explode('\\\\', ltrim($className, '\\\\'));\n for($i = 0, $max = count($className); $i < $max; $i++){\n if ($i == $max - 1)\n $className[$i] = ucfirst($className[$i]);\n else\n $className[$i] = strtolower($className[$i]);\n }\n $className = self::$defaultNamespace . implode('\\\\', $className);\n }\n\n return $className;\n }", "private static function getClassName() {\n $className = self::getCompleteClassName();\n $path = explode('\\\\', $className);\n\n return strtolower(array_pop($path));\n }", "public function prepareTabName(array $tabName)\n {\n $tabName['title'] = new XenForo_Phrase($this->getTabNameTitlePhraseName($tabName['tab_name_id']));\n\n return $tabName;\n }", "private function _getShortClassname()\n {\n return substr( $this->_className, strrpos( $this->_className, '\\\\' ) + 1 );\n }", "public function getTabName()\n\t{ \n\t\treturn IPSLib::getAppTitle( 'bitracker' );\n\t}", "function bbp_tools_admin_tabs($active_tab = '')\n{\n}", "public function sanitiseClassName($class) {\n\t\treturn str_replace('\\\\', '-', $class);\n\t}", "public function getTabLabel()\n {\n return __(self::TAB_LABEL);\n }", "private function prepareControllerClassName($element)\n\t{\n\t\treturn str_replace(' ', '_',\n\t\t\t\tucwords(str_replace('-', ' ', $element))) . CHRONOSWP_ELEMENT_CONTROLLER_CLASS_NAME_SUFFIX;\n\t}", "function className()\n {\n return ucfirst(str_replace(':', '_', $this->shorten()));\n }", "function tab_name() {\n \treturn 'Fees';\n }", "public function getTabTitle()\n {\n return __('Actions');\n }", "public function getTabTitle()\n {\n return __('Hint Group Tab Title');\n }", "public function getCSSName()\n {\n return strtolower(preg_replace('/([a-zA-Z])(?=[A-Z])/', '$1-', $this->getClassName()));\n }", "public function getUrlSafeClassName($className)\n {\n return str_replace('\\\\', '_', $className);\n }", "function tabToHtmlTab($string)\n{\n\treturn str_replace(\"\\t\", \"<span class=\\\"tab\\\">\\t</span>\", $string);\n}", "public function getTab()\n {\n $this->_branchName = $this->_getBranchName();\n if ($this->_branchName == '') {\n return 'Git';\n }\n return \"Git ({$this->_branchName})\";\n }", "protected function parseName() {\n $class = get_class($this);\n $x = strpos($class, \"_\");\n if ($x)\n $class = substr($class, 0, $x);\n return classToDir($class);\n }" ]
[ "0.68734014", "0.60999733", "0.60775006", "0.59660625", "0.59258586", "0.5900991", "0.58790225", "0.58099", "0.57233053", "0.5707901", "0.5703238", "0.5700225", "0.56887484", "0.56709635", "0.5670761", "0.5663111", "0.5658103", "0.56551784", "0.56522447", "0.5630323", "0.5618225", "0.56166023", "0.5566258", "0.55476856", "0.55346566", "0.5523487", "0.5518589", "0.55036515", "0.54999864", "0.54936063" ]
0.6706689
1
Generate the next response to send in the challenge. It takes two optional parameters: The last message received. Null if no message has been received yet. An array of options used for generating the next message. The SaslContext returned indicates various aspects of the state of the challenge, including the response.
public function challenge(?string $received = null, array $options = []): SaslContext;
{ "objective": { "self": [], "paired": [], "triplet": [ [ "query", "document", "negatives" ] ] } }
[ "public function _gather( $options, $message ) {\n $this->response->gather( $options )\n ->say( $message, array(\n 'voice' => $this->options['voice'],\n 'language' => $this->options['language']\n ));\n\n return $this->response;\n }", "public function asResponseMessage($context = null)\n {\n return $this->messages->response(\n '1.1',\n $this->mergeContextHeaders($context),\n $this->body,\n $this->statusCode,\n $this->reasonPhrase\n );\n }", "public function getResponseMessage()\n {\n //handle initial request parsing errors\n if (!empty($this->message)) {\n return $this->message;\n }\n try {\n $this->verifyRequest();\n $actions = explode('~', $this->cmd);\n $acceptedActions = array('setKey','setLock','disable','enable','delete','create','login','logme','logoff');\n $responseCode = self::IP_MATCH;//just set this for now, need to set up no enforce IP handling\n if ($this->requestType === self::INITIAL_REQUEST) {\n $continue=true;\n } else {\n $continue=false;\n }\n foreach ($actions as $act) {\n if (!in_array($act, $acceptedActions)) {\n return $this->formatResponse(\n 'Command not found', \n self::COMMAND_FAILED|self::SQRL_SERVER_FAILURE|self::IP_MATCH,\n false\n );\n }\n $actionResponse = $this->$act($continue);\n if ($actionResponse&self::COMMAND_FAILED) {\n return $this->formatResponse(\n $act.' command failed', \n $actionResponse,\n false\n );\n }\n $responseCode |= $actionResponse;\n }\n if (!$continue) {\n $this->store->validateNut($this->requestNut);\n }\n return $this->formatResponse('Commands successful',$responseCode,$continue);\n } catch (SqrlException $ex) {\n switch ($ex->getCode()) {\n case SqrlException::ENFORCE_IP_FAIL:\n return $this->formatResponse(\n 'IPs do not match', \n self::COMMAND_FAILED|self::SQRL_SERVER_FAILURE\n );\n case SqrlException::SIGNATURE_NOT_VALID:\n return $this->formatResponse(\n 'Signature did not match', \n self::COMMAND_FAILED|self::SQRL_SERVER_FAILURE|self::IP_MATCH,\n false\n );\n default:\n throw $ex;\n }\n }\n }", "private function parser(): \\Generator {\n // @TODO add minimum average frame size rate threshold to prevent tiny-frame DoS\n $maxFrameSize = $this->options->getMaximumFrameSize();\n $maxMsgSize = $this->options->getMaximumMessageSize();\n $textOnly = $this->options->isTextOnly();\n $doUtf8Validation = $validateUtf8 = $this->options->isValidateUtf8();\n\n $dataMsgBytesRecd = 0;\n $savedBuffer = '';\n\n $buffer = yield;\n $offset = 0;\n $bufferSize = \\strlen($buffer);\n $frames = 0;\n\n while (1) {\n if ($bufferSize < 2) {\n $buffer = \\substr($buffer, $offset);\n $offset = 0;\n do {\n $buffer .= yield $frames;\n $bufferSize = \\strlen($buffer);\n $frames = 0;\n } while ($bufferSize < 2);\n }\n\n $firstByte = \\ord($buffer[$offset]);\n $secondByte = \\ord($buffer[$offset + 1]);\n\n $offset += 2;\n $bufferSize -= 2;\n\n $fin = (bool) ($firstByte & 0b10000000);\n $rsv = ($firstByte & 0b01110000) >> 4;\n $opcode = $firstByte & 0b00001111;\n $isMasked = (bool) ($secondByte & 0b10000000);\n $maskingKey = null;\n $frameLength = $secondByte & 0b01111111;\n\n if ($rsv !== 0) {\n $this->onParsedError(Code::PROTOCOL_ERROR, 'RSV must be 0 if no extensions are negotiated');\n }\n\n if ($opcode >= 3 && $opcode <= 7) {\n $this->onParsedError(Code::PROTOCOL_ERROR, 'Use of reserved non-control frame opcode');\n }\n\n if ($opcode >= 11 && $opcode <= 15) {\n $this->onParsedError(Code::PROTOCOL_ERROR, 'Use of reserved control frame opcode');\n }\n\n $isControlFrame = $opcode >= 0x08;\n if ($validateUtf8 && $opcode !== self::OP_CONT && !$isControlFrame) {\n $doUtf8Validation = $opcode === self::OP_TEXT;\n }\n\n if ($frameLength === 0x7E) {\n if ($bufferSize < 2) {\n $buffer = \\substr($buffer, $offset);\n $offset = 0;\n do {\n $buffer .= yield $frames;\n $bufferSize = \\strlen($buffer);\n $frames = 0;\n } while ($bufferSize < 2);\n }\n\n $frameLength = \\unpack('n', $buffer[$offset] . $buffer[$offset + 1])[1];\n $offset += 2;\n $bufferSize -= 2;\n } elseif ($frameLength === 0x7F) {\n if ($bufferSize < 8) {\n $buffer = \\substr($buffer, $offset);\n $offset = 0;\n do {\n $buffer .= yield $frames;\n $bufferSize = \\strlen($buffer);\n $frames = 0;\n } while ($bufferSize < 8);\n }\n\n $lengthLong32Pair = \\unpack('N2', \\substr($buffer, $offset, 8));\n $offset += 8;\n $bufferSize -= 8;\n\n if (PHP_INT_MAX === 0x7fffffff) {\n if ($lengthLong32Pair[1] !== 0 || $lengthLong32Pair[2] < 0) {\n $this->onParsedError(\n Code::MESSAGE_TOO_LARGE,\n 'Received payload exceeds maximum allowable size'\n );\n return;\n }\n $frameLength = $lengthLong32Pair[2];\n } else {\n $frameLength = ($lengthLong32Pair[1] << 32) | $lengthLong32Pair[2];\n if ($frameLength < 0) {\n $this->onParsedError(\n Code::PROTOCOL_ERROR,\n 'Most significant bit of 64-bit length field set'\n );\n return;\n }\n }\n }\n\n if ($isMasked) {\n $this->onParsedError(\n Code::PROTOCOL_ERROR,\n 'Payload must not be masked to client'\n );\n return;\n }\n\n if ($isControlFrame) {\n if (!$fin) {\n $this->onParsedError(\n Code::PROTOCOL_ERROR,\n 'Illegal control frame fragmentation'\n );\n return;\n }\n\n if ($frameLength > 125) {\n $this->onParsedError(\n Code::PROTOCOL_ERROR,\n 'Control frame payload must be of maximum 125 bytes or less'\n );\n return;\n }\n }\n\n if ($maxFrameSize && $frameLength > $maxFrameSize) {\n $this->onParsedError(\n Code::MESSAGE_TOO_LARGE,\n 'Received payload exceeds maximum allowable size'\n );\n return;\n }\n\n if ($maxMsgSize && ($frameLength + $dataMsgBytesRecd) > $maxMsgSize) {\n $this->onParsedError(\n Code::MESSAGE_TOO_LARGE,\n 'Received payload exceeds maximum allowable size'\n );\n return;\n }\n\n if ($textOnly && $opcode === 0x02) {\n $this->onParsedError(\n Code::UNACCEPTABLE_TYPE,\n 'BINARY opcodes (0x02) not accepted'\n );\n return;\n }\n\n while ($bufferSize < $frameLength) {\n $chunk = yield $frames;\n $buffer .= $chunk;\n $bufferSize += \\strlen($chunk);\n $frames = 0;\n }\n\n if (!$isControlFrame) {\n $dataMsgBytesRecd += $frameLength;\n }\n\n $payload = \\substr($buffer, $offset, $frameLength);\n $offset += $frameLength;\n $bufferSize -= $frameLength;\n\n if ($isControlFrame) {\n $this->onParsedControlFrame($opcode, $payload);\n } else {\n if ($savedBuffer !== '') {\n $payload = $savedBuffer . $payload;\n $savedBuffer = '';\n }\n\n if ($doUtf8Validation) {\n if ($fin) {\n $i = \\preg_match('//u', $payload) ? 0 : 8;\n } else {\n $string = $payload;\n for ($i = 0; !\\preg_match('//u', $payload) && $i < 8; $i++) {\n $payload = \\substr($payload, 0, -1);\n }\n if ($i > 0) {\n $savedBuffer = \\substr($string, -$i);\n }\n }\n if ($i === 8) {\n $this->onParsedError(\n Code::INCONSISTENT_FRAME_DATA_TYPE,\n 'Invalid TEXT data; UTF-8 required'\n );\n return;\n }\n }\n\n if ($fin) {\n $dataMsgBytesRecd = 0;\n }\n\n $this->onParsedData($opcode, $payload, $fin);\n\n if ($this->parseError) {\n return;\n }\n }\n\n $frames++;\n }\n }", "public\n function _extractNextMessage() {\n $this->logger->debug('_extractNextMessage begin');\n\n $message = '';\n if ($this->_bufferContainsMessage()) {\n // clean up breaks on the beggining of the buffer if any\n $this->read_buffer = ltrim($this->read_buffer, \"\\n\");\n\n // use regex to check on 'content-length' header and don't do whole headers parcing\n if (preg_match('%^content-length:(\\d++)$%m', $this->read_buffer, $matches) > 0) {\n $end_of_headers = strpos($this->read_buffer, \"\\n\\n\");\n $content_length = intval($matches[1]);\n\n // read message (headers + \\n\\n + body)\n $message = substr($this->read_buffer, 0, $end_of_headers + 2 + $content_length);\n\n // remove message (headers + body) from buffer including Ascii NULL\n $this->read_buffer = substr($this->read_buffer, $end_of_headers + 2 + $content_length + 1);\n\n } else {\n $end_of_message = strpos($this->read_buffer, \"\\x00\");\n // Fetch the message, leave the Ascii NUL\n $message = substr($this->read_buffer, 0, $end_of_message);\n $message = ltrim($message, \"\\n\");\n // Delete the message from the buffer, including the Ascii NUL\n $this->read_buffer = substr($this->read_buffer, $end_of_message + 1);\n }\n }\n\n return $message;\n }", "function nextRes(){\n\t\treturn array_shift($GLOBALS[\"serverRequest\"]);\n\t}", "protected function getRealmFromChallenge(Message $challenge): string\n {\n if (!$challenge->has('realm')) {\n throw new SaslException('Unable to determine a realm for the response.');\n }\n $realms = (array) $challenge->get('realm');\n $selected = array_pop($realms);\n\n return $selected;\n }", "public function next(array $options = array()) {\n\t\tif (!empty($options)) {\n\t\t\t$this->config($options);\n\t\t}\n\t\tif ($this->_total > ($this->_limit * $this->_page)) {\n\t\t\t$config = array('page' => ($this->_page + 1)) + $this->_query();\n\n\t\t\t$url = \\lithium\\net\\http\\Router::match(\n\t\t\t\t$config + $this->_context->_config['request']->params,\n\t\t\t\t$this->_context->_config['request'],\n\t\t\t\tarray('absolute' => true)\n\t\t\t);\n\t\t\t\n\t\t\tif(!empty($this->_library)) {\n\t\t\t\t$url['library'] = $this->_library;\n\t\t\t}\n\n\t\t\treturn $this->_config['openTag'].$this->_context->html->link($this->_config['nextText'], $url).$this->_config['closeTag'];\n\t\t}\n\t\treturn $this->_config['nextTextDisabled'];\n\t}", "public function __invoke()\n {\n return array_shift($this->responses);\n }", "public function replyResponse();", "private function getSamlResponse()\n {\n if (!isset($this->samlResponse)) {\n // @todo create named exception\n throw new \\LogicException(\n 'Cannot retrieve response message, it has not been set yet.'\n );\n }\n\n return $this->samlResponse;\n }", "public function responseMsg()\n {\n $postStr = $GLOBALS[\"HTTP_RAW_POST_DATA\"];\n\n //extract post data\n if (!empty($postStr)){\n\n $postObj = simplexml_load_string($postStr, 'SimpleXMLElement', LIBXML_NOCDATA);\n define('FROM_USER_NAME', $postObj->FromUserName);\n define('TO_USER_NAME', $postObj->ToUserName);\n $msg_type = $postObj->MsgType;\n\n switch($msg_type)\n {\n case 'text':\n TextMessage::handle($postObj);\n break;\n case 'image':\n ImageMessage::handle($postObj);\n break;\n case 'voice':\n VoiceMessage::handle($postObj);\n break;\n case 'video':\n VideoMessage::handle($postObj);\n break;\n case 'location':\n LocationMessage::handle($postObj);\n break;\n case 'link':\n LinkMessage::handle($postObj);\n break;\n case 'event':\n EventMessage::handle($postObj);\n break;\n default:\n echo '';\n exit;\n }\n\n }else {\n echo '';\n exit;\n }\n }", "private function handleOptionsResponse(ServerRequestInterface $request): ResponseInterface\n {\n return $this->pipeline->process(\n $request,\n new Handlers\\CallbackHandler(\n function (ServerRequestInterface $request): ResponseInterface {\n return $this->responseFactory->createResponse();\n }\n )\n );\n }", "public function acs()\n {\n $auth = $this->auth;\n\n $auth->processResponse();\n\n $errors['errors'] = $auth->getErrors();\n $errors['errorReason'] = $auth->getLastErrorReason();\n\n if (!empty($errors['errors'] || !empty($errors['errorReason']))) {\n $response = new OneLogin_Saml2_Response($auth->getSettings(), $_POST['SAMLResponse']);\n\n $title = '<h2>Your request has given the next error, please, contact administrator.</h2>';\n $error = '<h3 style=\"color:red\">'.$errors['errors'][0].' - '.$errors['errorReason'].'</h3>';\n\n $domxml = new DOMDocument('1.0');\n $domxml->preserveWhiteSpace = false;\n $domxml->formatOutput = true;\n /* @var $xml SimpleXMLElement */\n $domxml->loadXML($response->response);\n $result = $domxml->saveXML();\n\n return $title.$error.'<pre>'.htmlspecialchars($result).'</pre>';\n }\n\n if (!$auth->isAuthenticated()) {\n return array('error' => 'Could not authenticate');\n }\n\n return null;\n }", "public function build_response($res, $options = []){\n\n if(!$res) {\n return [];\n }\n\n $chapter = [];\n if(in_array('chapter_detail', $options)){\n $chapter = $this->build_chapter_response($res);\n }\n\n\t\t$subject = [];\n\t\tif(in_array('subject_detail', $options)) {\n $result = $this->build_user_textbook_response($res);\n if(in_array('subject_detail', $options)) {\n $result['count'] = $res->count;\n }\n\n\t\t\treturn $result;\n\t\t}\n\n return array_merge([\n 'textbook_id' => isset($res->textbook_id) ? (int) $res->textbook_id : null,\n 'name' => isset($res->name) ? $res->name : null\n ], $chapter, $subject);\n }", "private function generate_msg_seqno($context_related){\n $in = $context_related ? 1 : 0;\n //multiply by two and add one, if context-related\n $value = ($this->msg_seqno * 2) + $in;\n //increase current $this->seq_no if context related\n $this->msg_seqno += $in;\n return $value;//return multiplied value\n }", "protected function composeOptions() {\n $this->setBody([]);\n $this->setBodyParam('frameType', $this->_frameType);\n $this->setBodyParam('chatId', $this->_chatId);\n if(isset($this->_message)) {\n $this->setBodyParam('message', $this->_message);\n }\n }", "function currentContext($messages_request, $reset = false)\n{\n\t// Start from the beginning...\n\tif ($reset)\n\t{\n\t\treturn $messages_request->data_seek(0);\n\t}\n\n\t// If the query has already returned false, get out of here\n\tif ($messages_request->hasResults())\n\t{\n\t\treturn false;\n\t}\n\n\t// Attempt to get the next message.\n\t$message = $messages_request->fetch_assoc();\n\tif (!$message)\n\t{\n\t\t$messages_request->free_result();\n\n\t\treturn false;\n\t}\n\n\treturn $message;\n}", "protected function readResponse()\r\n {\r\n $bufferSize = $this->request->getConfig('buffer_size');\r\n\r\n do {\r\n $response = new HTTP_Request2_Response($this->readLine($bufferSize), true);\r\n do {\r\n $headerLine = $this->readLine($bufferSize);\r\n $response->parseHeaderLine($headerLine);\r\n } while ('' != $headerLine);\r\n } while (in_array($response->getStatus(), array(100, 101)));\r\n\r\n $this->request->setLastEvent('receivedHeaders', $response);\r\n\r\n // No body possible in such responses\r\n if (HTTP_Request2::METHOD_HEAD == $this->request->getMethod() ||\r\n in_array($response->getStatus(), array(204, 304))\r\n ) {\r\n return $response;\r\n }\r\n\r\n $chunked = 'chunked' == $response->getHeader('transfer-encoding');\r\n $length = $response->getHeader('content-length');\r\n $hasBody = false;\r\n if ($chunked || null === $length || 0 < intval($length)) {\r\n // RFC 2616, section 4.4:\r\n // 3. ... If a message is received with both a\r\n // Transfer-Encoding header field and a Content-Length header field,\r\n // the latter MUST be ignored.\r\n $toRead = ($chunked || null === $length)? null: $length;\r\n $this->chunkLength = 0;\r\n\r\n while (!feof($this->socket) && (is_null($toRead) || 0 < $toRead)) {\r\n if ($chunked) {\r\n $data = $this->readChunked($bufferSize);\r\n } elseif (is_null($toRead)) {\r\n $data = $this->fread($bufferSize);\r\n } else {\r\n $data = $this->fread(min($toRead, $bufferSize));\r\n $toRead -= strlen($data);\r\n }\r\n if ('' == $data && (!$this->chunkLength || feof($this->socket))) {\r\n break;\r\n }\r\n\r\n $hasBody = true;\r\n $response->appendBody($data);\r\n if (!in_array($response->getHeader('content-encoding'), array('identity', null))) {\r\n $this->request->setLastEvent('receivedEncodedBodyPart', $data);\r\n } else {\r\n $this->request->setLastEvent('receivedBodyPart', $data);\r\n }\r\n }\r\n }\r\n\r\n if ($hasBody) {\r\n $this->request->setLastEvent('receivedBody', $response);\r\n }\r\n return $response;\r\n }", "public function getCompletionResponse();", "function render()\n\t{\n\t\t$completeURL = null;\n\t\t$response = null;\n\t\t\n\t\tif (is_array($this->props) && array_key_exists(\"id\", $this->props)) {\n\t\t\t$completeURL = $this->authStub->baseUrl . \"/guide/v1/messages/render/{$this->props['id']}\";\n\t\t\t$response = new ET_GetRest($this->authStub, $completeURL, $this->authStub->getAuthToken());\n\t\t} else {\n\t\t\t$completeURL = $this->authStub->baseUrl . \"/guide/v1/messages/render\";\n\t\t\t$response = new ET_PostRest($this->authStub, $completeURL, $this->props, $this->authStub->getAuthToken());\n\t\t}\n\t\treturn $response;\n\t}", "public function responseMsg2(){\n\t\t$postStr = $GLOBALS[\"HTTP_RAW_POST_DATA\"];\n\t\t//extract post data\n\t\tif (!empty($postStr)){\n\t\t$postObj = simplexml_load_string($postStr, 'SimpleXMLElement', LIBXML_NOCDATA);\n\t\t$RX_TYPE = trim($postObj->MsgType);\n\n\t\tswitch($RX_TYPE){\n\t\t\t\t\t\t//当回复公众号图片时\n\t\tcase \"image\":\n\t\t$resultStr = $this->handleImage($postObj);\n\t\tbreak;\n\t\t\t\t\t\t\t//当回复公众号关键字时\n\t\tcase \"text\":\n\t\t$resultStr = $this->handleText($postObj);\n\t\tbreak;\n\t\t\t\t\t\t\t//关注公众号事件\n\t\tcase \"event\":\n\t\t$resultStr = $this->handleEvent($postObj);\n\t\tbreak;\n\t\tdefault:\n\t\t$resultStr = \"Unknow msg type: \".$RX_TYPE;\n\t\tbreak;\n\t\t}\n\t\techo $resultStr;\n\t\t}else {\n\t\techo \"\";\n\t\texit;\n\t\t}\n\t}", "public function generateTokenAction(ServerRequestInterface $request, ResponseInterface $response)\n {\n /** @var \\TYPO3\\CMS\\Fluid\\View\\StandaloneView $emailView */\n $authorizationView = GeneralUtility::makeInstance(StandaloneView::class);\n\n $authorizationView->setFormat('html');\n\n if ($channelID = $request->getQueryParams()['channel']) {\n $queryBuilder = GeneralUtility::makeInstance(ConnectionPool::class)->getQueryBuilderForTable('tx_socialstream_domain_model_channel');\n $statement = $queryBuilder\n ->select('uid', 'token', 'type')\n ->from('tx_socialstream_domain_model_channel')\n ->where(\n $queryBuilder->expr()->eq('uid', $queryBuilder->createNamedParameter($channelID, \\PDO::PARAM_INT))\n )\n ->setMaxResults(1)\n ->execute();\n\n $result = $statement->fetch();\n\n if (!empty($result)) {\n if (array_key_exists('token', $result)) {\n if (empty($result['token'])) {\n $http = isset($_SERVER['HTTPS']) ? \"https\" : \"http\";\n $host = $_SERVER[\"HTTP_HOST\"];\n if ($access_token = $request->getQueryParams()['access_token']) {\n $statement = $queryBuilder\n ->update('tx_socialstream_domain_model_channel')\n ->where(\n $queryBuilder->expr()->eq('uid', $queryBuilder->createNamedParameter($channelID, \\PDO::PARAM_INT))\n )\n ->set('token', $access_token);\n if ($expires_in = $request->getQueryParams()['expires_in']) {\n $statement = $statement->set('expires', time() + $expires_in);\n }\n if ($statement->execute()) {\n $templatePathAndFilename = 'EXT:social_stream/Resources/Private/Templates/Eid/Success.html';\n $authorizationView->setTemplatePathAndFilename($templatePathAndFilename);\n echo $authorizationView->render();\n\n $channel = $this->getChannelFromDatabase($channelID);\n if ($channel && array_key_exists('uid', $channel)) {\n $this->sendTokenGeneratedMail($channel);\n }\n }\n } else if ($code = $request->getQueryParams()['code']) {\n $base = $http . \"://\" . $host;\n\n $oauth2 = new OAuth2([\n 'clientId' => $this->settings[\"googlephotosclientid\"],\n 'clientSecret' => $this->settings[\"googlephotosclientsecret\"],\n 'authorizationUri' => 'https://accounts.google.com/o/oauth2/v2/auth',\n 'redirectUri' => $base . \"/typo3conf/ext/social_stream/GooglePhotos.php\",\n 'tokenCredentialUri' => 'https://www.googleapis.com/oauth2/v4/token',\n 'scope' => ['https://www.googleapis.com/auth/photoslibrary.readonly'],\n 'state' => 'offline'\n ]);\n\n $oauth2->setCode($code);\n $authToken = $oauth2->fetchAuthToken();\n\n if ($authToken[\"access_token\"]) {\n $statement = $queryBuilder\n ->update('tx_socialstream_domain_model_channel')\n ->where(\n $queryBuilder->expr()->eq('uid', $queryBuilder->createNamedParameter($channelID, \\PDO::PARAM_INT))\n )\n ->set('token', $authToken['access_token']);\n\n if ($expires_in = $authToken['expires_in']) {\n $statement = $statement->set('expires', time() + $expires_in);\n }\n if ($refresh_token = $authToken['refresh_token']) {\n $statement = $statement->set('refresh_token', $refresh_token);\n }\n if ($statement->execute()) {\n $templatePathAndFilename = 'EXT:social_stream/Resources/Private/Templates/Eid/Success.html';\n $authorizationView->setTemplatePathAndFilename($templatePathAndFilename);\n echo $authorizationView->render();\n\n $channel = $this->getChannelFromDatabase($channelID);\n if ($channel && array_key_exists('uid', $channel)) {\n $this->sendTokenGeneratedMail($channel);\n }\n }\n }\n } else {\n $url = $http . \"://\" . $host . $_SERVER[\"REQUEST_URI\"];\n switch ($result['type']) {\n case 'instagram':\n $templatePathAndFilename = 'EXT:social_stream/Resources/Private/Templates/Eid/Instagram.html';\n $authorizationView->setTemplatePathAndFilename($templatePathAndFilename);\n $authorizationView->assignMultiple(['instaappid' => $this->settings[\"instaappid\"], 'url' => $url]);\n echo $authorizationView->render();\n break;\n case 'facebook':\n $templatePathAndFilename = 'EXT:social_stream/Resources/Private/Templates/Eid/Facebook.html';\n $authorizationView->setTemplatePathAndFilename($templatePathAndFilename);\n $authorizationView->assignMultiple(['fbappid' => $this->settings[\"fbappid\"], 'url' => $url]);\n echo $authorizationView->render();\n break;\n case 'googlephotos':\n $templatePathAndFilename = 'EXT:social_stream/Resources/Private/Templates/Eid/Googlephotos.html';\n $authorizationView->setTemplatePathAndFilename($templatePathAndFilename);\n $authorizationView->assignMultiple(['googlephotosclientid' => $this->settings[\"googlephotosclientid\"], 'scope' => urlencode(\"https://www.googleapis.com/auth/photoslibrary.readonly\"), 'state' => $channelID, 'url' => $url]);\n echo $authorizationView->render();\n break;\n default:\n $templatePathAndFilename = 'EXT:social_stream/Resources/Private/Templates/Eid/TokenNotFound.html';\n $authorizationView->setTemplatePathAndFilename($templatePathAndFilename);\n echo $authorizationView->render();\n break;\n }\n }\n } else {\n $templatePathAndFilename = 'EXT:social_stream/Resources/Private/Templates/Eid/AlreadyGranted.html';\n $authorizationView->setTemplatePathAndFilename($templatePathAndFilename);\n echo $authorizationView->render();\n }\n } else {\n $templatePathAndFilename = 'EXT:social_stream/Resources/Private/Templates/Eid/TokenNotFound.html';\n $authorizationView->setTemplatePathAndFilename($templatePathAndFilename);\n echo $authorizationView->render();\n }\n } else {\n $templatePathAndFilename = 'EXT:social_stream/Resources/Private/Templates/Eid/TokenNotFound.html';\n $authorizationView->setTemplatePathAndFilename($templatePathAndFilename);\n echo $authorizationView->render();\n }\n }\n return $response;\n }", "public function outgoingResponse();", "public function next() {\n if( !($this->_valid = $this->_resp->isValid() ) ){\n return;\n }\n $this->setValue();\n }", "public function readMessageResponse()\n {\n if(isset($this->messageResponse))//safe for null value\n { \n if(!empty($this->messageResponse['error']))//error occured\n $this-> handleError($this->messageResponse['error']);\n else //normal response\n {\n /* parameters present in messageResponse array\n * @param recipient_id\n * @param message_id\n */\n }\n }\n else\n error_log(\"handleMessageResponse- var messageResponse is null or not defined\", 0);\n}", "public function respondResponse()\n {\n\n // Thing actions\n // Because we are making a decision and moving on. This Thing\n // can be left alone until called on next.\n $this->thing->flagGreen();\n\n // $this->makePNG();\n\n // While we work on this\n $this->thing_report['email'] = $this->sms_message;\n $message_thing = new Message($this->thing, $this->thing_report);\n\n // $this->makeWeb();\n\n //\t\treturn $this->thing_report;\n }", "private function nextStep(?string $message = null): self\n {\n if (! $this->dialog->data['token']) {\n if ($message === null) {\n $this->askForToken();\n } else {\n $this->parseMessageForToken($message);\n }\n } else {\n $this->dialog->finish();\n $this->sendThanks();\n }\n\n return $this;\n }", "abstract function getResponseMessage();", "public function response() {\n\t\t$this->setMessageValue();\n\n\t\t$response = $this->generateRegisterUserFormHTML($this->message);\n\t\treturn $response;\n\t}" ]
[ "0.5210251", "0.49182644", "0.47459495", "0.46269512", "0.45601064", "0.45207712", "0.45131353", "0.4457792", "0.44573486", "0.4411898", "0.4383836", "0.43712875", "0.43533412", "0.43277574", "0.4315891", "0.43125015", "0.42503732", "0.423863", "0.41968527", "0.41811693", "0.41635695", "0.41513497", "0.41481495", "0.4133642", "0.41316625", "0.41204783", "0.41111952", "0.41101676", "0.4101878", "0.40827146" ]
0.65085787
0