back soft

ساخت وبلاگ

Vote count: 0

In Java OWL API, equivalent classes can be added using OWLEquivalentClassesAxiom. Is there any similar class for adding OWL SameAs axiom?

asked 1 min ago

back soft...
ما را در سایت back soft دنبال می کنید

برچسب : نویسنده : استخدام کار backsoft بازدید : 428 تاريخ : شنبه 29 اسفند 1394 ساعت: 22:57

Vote count: 0

So i was ask to make a function that determinate if a number is a perfect square but it has a catch they ask me to operate using an auxiliary function that i should write based on this fact:

The first perfect square is 0, to get to the second i need to add up 1 (the second perfect square is 1), to get to the third i need to add up 3 (the third perfect square is 4), and so on ... so the rule is that as you keep adding odd numbers to the previous perfect square you get the next one.

Also they ask me to avoid using operations that involve float numbers.

I wasnt able to make any progress with it i hope someone could help me, thanks.

asked 1 min ago

back soft...
ما را در سایت back soft دنبال می کنید

برچسب : نویسنده : استخدام کار backsoft بازدید : 348 تاريخ : شنبه 29 اسفند 1394 ساعت: 22:57

Vote count: 0

I would appreciate if you could help me with this little problem. I have this dataframe:

> dxmale Var1 Freq
1 F20 1
2 F25 3
3 F31 1
4 F32 5
5 F33 9
6 F34 3
7 F41 3

The problem is I want the "Var1" column to be the variables, like if it was a table. I want this in order to merge this dataframe with other. I would like to obtain something like this:

> dxmale F20 F25 F31 F32 F33 F34 F41 1 3 1 5 9 3 3

Thanks for your help

asked 52 secs ago

back soft...
ما را در سایت back soft دنبال می کنید

برچسب : نویسنده : استخدام کار backsoft بازدید : 353 تاريخ : شنبه 29 اسفند 1394 ساعت: 22:57

Vote count: 0

I have a txt file:

1,6 2 6,5 5 ... // ~ 1000 columns
0 1 4 2,5 ...
... // ~1000 rows

that is, "," instead "."

How to read this?

1.6 2 6 5 ...
0 1 4 2.5 ...
...

Many thanks!

asked 2 mins ago

back soft...
ما را در سایت back soft دنبال می کنید

برچسب : نویسنده : استخدام کار backsoft بازدید : 372 تاريخ : شنبه 29 اسفند 1394 ساعت: 21:54

Vote count: 0

I have a UISearchController with a tableview which displays the searched PFusers from Parse. When the user tab on a row, the cell will segue to another view controller displaying info about the PFUser. The segued view controller has a button to unwind segue back to the tableview. The problem happens when I segue back to the tableviewcontroller; the tableviewcontroller is no longer like it was before I segue to another view controller (the searched PFUsers are gone, the table is empty) and when I search again, no results are fetched but I can see it is using data because of the spinner on the battery status bar. Any idea why this is happening? thanks!

asked 1 min ago

back soft...
ما را در سایت back soft دنبال می کنید

برچسب : نویسنده : استخدام کار backsoft بازدید : 350 تاريخ : شنبه 29 اسفند 1394 ساعت: 21:54

Vote count: 0

Preface: I do understand the standard definition for attr_accessor and know that attr_accessor stands for two instance methods-a setter and a writer, and attr_accessor allows instances variables to be accessible throughout the class.

But now and then I see an element included in attr_accessor AND is defined as a method.

So my question is: Why does that happen? Is it just bad code I saw?

Pseudo/example code:

class Such_n_such attr_accessor :name, :color #code omitted def color=(color) (some code) end

Thanks in advance!

asked 1 min ago

back soft...
ما را در سایت back soft دنبال می کنید

برچسب : نویسنده : استخدام کار backsoft بازدید : 301 تاريخ : شنبه 29 اسفند 1394 ساعت: 21:54

Vote count: 416

I am running a PHP script, and keep getting errors like:

Undefined variable: user_location in C:wampwwwmypathindex.php on line 12

Line 12 looks like this:

$greeting = "Hello, ".$user_name." from ".$user_location;

What do these errors mean?

Why do they appear all of a sudden? I used to use this script for years and I've never had any problem.

What do I need to do to fix them?

Is there a quick fix?

This is a General Reference question for people to link to as duplicate, instead of having to explain the issue over and over again. I feel this is necessary because most real-world answers on this issue are very specific.

Related Meta discussion:

community wiki

14 Answers

Vote count: 422 accepted

From the vast wisdom of the PHP Manual:

Relying on the default value of an uninitialized variable is problematic in the case of including one file into another which uses the same variable name. It is also a major security risk with register_globals tued on. E_NOTICE level error is issued in case of working with uninitialized variables, however not in the case of appending elements to the uninitialized array. isset() language construct can be used to detect if a variable has been already initialized.

Some explanations:

Although PHP does not require variable declaration, it does recommend it in order to avoid some security vulnerabilities or bugs where one would forget to give a value to a variable that he will use later in the script. What PHP does in the case of undeclared variables is issue a very low level error, E_NOTICE, one that is not even reported by default, but the Manual advises to allow during development.

Ways to deal with the issue:

  1. Recommended: Declare your variables. Or use isset() to check if they are declared before referencing them, as in: $value = isset($_POST['value']) ? $_POST['value'] : '';.

  2. Use empty(), so no waing is generated if the variable does not exist. It's equivalent to !isset($var) || $var == false. E.g.

    echo "Hello " . (!empty($user) ? $user : "");
  3. Set a custom error handler for E_NOTICE and redirect the messages away from the standard output (maybe to a log file). set_error_handler('myHandlerForMinorErrors', E_NOTICE | E_STRICT).

  4. Disable E_NOTICE from reporting. A quick way to exclude just E_NOTICE is error_reporting( error_reporting() & ~E_NOTICE ).

  5. Suppress the error with the @ operator.

Note: It's strongly recommended to implement just point 1.

Related:

community wiki

Vote count: 48

Try these

Q1: this notice means $vaame is not defined at current scope of the script.

Q2: Use of isset(), empty() conditions before using any suspicious variable works well.

// recommended solution
$user_name = $_SESSION['user_name'];
if (empty($user_name)) $user_name = '';
OR
// just define at the top of the script index.php
$user_name = '';
$user_name = $_SESSION['user_name'];
OR
$user_name = $_SESSION['user_name'];
if (!isset($user_name)) $user_name = '';

QUICK Solution:

// not the best solution, but works
// in your php setting use, it helps hiding site wide notices
error_reporting(E_ALL ^ E_NOTICE);

Note about sessions:

community wiki

Vote count: 19

A (often discouraged) alteative is the error suppression operator @. It is a specific language construct to shut down undesired notices and waings, but should be used with care.

First, it incurs a microperformance penalty over using isset. That's not measurable in real world applications, but should be considered in data heavy iterations. Secondly it might obstruct debugging, but at the same time suppressed errors are in fact passed on to custom error handlers (unlike isset decorated expressions).

community wiki

Vote count: 15

It means you are testing, evaluating, or printing a variable that you have not yet assigned anything to. It means you either have a typo, or you need to check that the variable was initialized to something first. Check your logic paths, it may be set in one path but not in another.

community wiki

Vote count: 12

Generally because of "bad programming", and a possibility for mistakes now or later.

  1. If it's a mistake, make a proper assignment to the variable first: $vaame=0;
  2. If it really is only defined sometimes, test for it: if (isset($vaame)) .... before using it
  3. If it's because you spelled it wrong, just correct that
  4. Maybe even tu of the waings in you PHP-settings
community wiki

Vote count: 10

I didn't want to disable notice because it's helpful, but wanted to avoid too much typing.

My solution was this function:

function ifexists($vaame)
{ retu(isset($$vaame)?$vaame:null);
}

So if I want to reference to $name and echo if exists, I simply write:

<?=ifexists('name')?>

For array elements:

function ifexistsidx($var,$index)
{ retu(isset($var[$index])?$var[$index]:null);
}

In page if I want to refer to $_REQUEST['name']:

<?=ifexistsidx($_REQUEST,'name')?>
community wiki

Vote count: 8

The best way for getting input string is:

$value = filter_input(INPUT_POST, 'value');

This one-liner is almost equivalent to:

if (!isset($_POST['value'])) { $value = null;
} elseif (is_array($_POST['value'])) { $value = false;
} else { $value = $_POST['value'];
}

If you absolutely want string value, just like:

$value = (string)filter_input(INPUT_POST, 'value');
community wiki

Vote count: 7

Its because the variable '$user_location' is not getting defined. If you are using any if loop inside which you are declaring the '$user_location' variable then you must also have an else loop and define the same. For example:

$a=10;
if($a==5) { $user_location='Paris';} else { }
echo $user_location;

The above code will create error as The if loop is not satisfied and in the else loop '$user_location' was not defined. Still PHP was asked to echo out the variable. So to modify the code you must do the following:

$a=10;
if($a==5) { $user_location='Paris';} else { $user_location='SOMETHING OR BLANK'; }
echo $user_location;
community wiki

Vote count: 5

I used to curse this error, but it can be helpful to remind you to escape user input.

For instance, if you thought this was clever, shorthand code:

// Echo whatever the hell this is
<?=$_POST['something']?>

...Think again! A better solution is:

// If this is set, echo a filtered version
<?=isset($_POST['something']) ? html($_POST['something']) : ''?>

(I use a custom html() function to escape characters, your mileage may vary)

community wiki

Vote count: 4

the quick fix is to assign your variable to null at the top of your code

$user_location = null;
community wiki

Vote count: 3

I use all time own useful function exst() which automatically declare variables.

Your code will be -

$greeting = "Hello, ".exst($user_name, 'Visitor')." from ".exst($user_location);
/** * Function exst() - Checks if the variable has been set * (copy/paste it in any place of your code) * * If the variable is set and not empty retus the variable (no transformation) * If the variable is not set or empty, retus the $default value * * @param mixed $var * @param mixed $default * * @retu mixed */
function exst( & $var, $default = "")
{ $t = ""; if ( !isset($var) || !$var ) { if (isset($default) && $default != "") $t = $default; } else { $t = $var; } if (is_string($t)) $t = trim($t); retu $t;
}
community wiki

Vote count: 3

In a very Simple Language.
The mistake is you are using a variable $user_location which is not defined by you earlier and it doesn't have any value So I recommend you to please declare this variable before using it, For Example:


$user_location = '';
Or
$user_location = 'Los Angles';
This is a very common error you can face.So don't worry just declare the variable and Enjoy Coding.
community wiki

Vote count: -1

why not keep things simple?

<?php
error_reporting(E_ALL); // making sure all notices are on
function idxVal(&$var, $default = null) { retu empty($var) ? $var = $default : $var; }
echo idxVal($arr['test']); // retus null without any notice
echo idxVal($arr['hey ho'], 'yo'); // retus yo and assigns it to array index, nice
?>
community wiki

Vote count: -1

Short Tag gotcha.

Included a file having a variable & using the variable in calling file. The Notice will occur $variable is undefined.

The reason for that was is short tags are disabled and the code instead of would not work.

The code would never executed in short tags hence the undefined variable error/notice. Disabled by default in php7

community wiki

back soft...
ما را در سایت back soft دنبال می کنید

برچسب : نویسنده : استخدام کار backsoft بازدید : 370 تاريخ : شنبه 29 اسفند 1394 ساعت: 20:41

Vote count: 0

I am trying to do some hacking (I need to run the linker on a device to link some object files stored there) during the linking stage of Xcode on my ios app project. My first thought is to use the open-source lld linker to replace the native ld linker. I tried to replace ld with lld in the default xcode toolchain, and sent the same arguments to lld, but unfortunately many arguments are not recognized. If I remove these arguments, I get errors like:

Assertion failed : (dylib.file), function exports, file / var / root / Desktop / llvm / tools / lld / lib / ReaderWriter / MachO / File.h, line 302.
0 lld 0x00000001082043ee llvm::sys::PrintStackTrace(llvm::raw_ostream&) + 46
1 lld 0x0000000108204829 PrintStackTraceSignalHandler(void*) + 25
2 lld 0x0000000108201029 llvm::sys::RunSignalHandlers() + 425
3 lld 0x0000000108204b89 SignalHandler(int) + 345
4 libsystem_platform.dylib 0x00007fff86d1ceaa _sigtramp + 26
5 lld 0x000000010bc5cd9b SentinelFragment + 491531
6 lld 0x000000010820484b raise + 27
7 lld 0x0000000108204902 abort + 18
8 lld 0x00000001082048e1 __assert_rtn + 129
9 lld 0x000000010a557111 lld::mach_o::MachODylibFile::exports(llvm::StringRef, llvm::StringRef) const + 1617
10 lld 0x000000010a55717a lld::mach_o::MachODylibFile::exports(llvm::StringRef, llvm::StringRef) const + 1722
11 lld 0x000000010a556445 lld::mach_o::MachODylibFile::exports(llvm::StringRef, bool) const + 101
12 lld 0x000000010ab94088 lld::Resolver::handleSharedLibrary(lld::File&)::$_1::operator()(llvm::StringRef, bool) const + 104
13 lld 0x000000010ab9400b void std::__1::__invoke_void_retu_wrapper<void>::__call<lld::Resolver::handleSharedLibrary(lld::File&)::$_1&, llvm::StringRef, bool>(lld::Resolver::handleSharedLibrary(lld::File&)::$_1&&&, llvm::StringRef&&, bool&&) + 139
14 lld 0x000000010ab93f4c std::__1::__function::__func<lld::Resolver::handleSharedLibrary(lld::File&)::$_1, std::__1::allocator<lld::Resolver::handleSharedLibrary(lld::File&)::$_1>, void(llvm::StringRef, bool)>::operator()(llvm::StringRef&&, bool&&) + 76
15 lld 0x000000010ab9456e std::__1::function<void(llvm::StringRef, bool)>::operator()(llvm::StringRef, bool) const + 94
16 lld 0x000000010ab8cc7f lld::Resolver::forEachUndefines(lld::File&, bool, std::__1::function<void(llvm::StringRef, bool)>) + 591
17 lld 0x000000010ab8d213 lld::Resolver::handleSharedLibrary(lld::File&) + 179
18 lld 0x000000010ab8e4be lld::Resolver::resolveUndefines() + 1518
19 lld 0x000000010ab913cc lld::Resolver::resolve() + 108
20 lld 0x0000000108000413 lld::Driver::link(lld::LinkingContext&, llvm::raw_ostream&) + 5795
21 lld 0x0000000107feec9d lld::DarwinLdDriver::linkMachO(llvm::ArrayRef<char const*>, llvm::raw_ostream&) + 221
22 lld 0x0000000108034f99 lld::UniversalDriver::link(llvm::MutableArrayRef<char const*>, llvm::raw_ostream&) + 1081
23 lld 0x0000000107fe960e main + 94
24 libdyld.dylib 0x00007fff98c385ad start + 1

I think it's because lld maybe not a direct replacement for ld. Then I am thinking is it possible to first link multiple object files into a single object file with lld (and do the hacking during this step) using -r option and then do the full link with ld?

So, my question is, is that possible to replace mac ld with lld? If not possible to fully replace it, is that possible to use lld to generate a single intermediate single object file and then input it to ld?

Thanks so much!

asked 3 mins ago

back soft...
ما را در سایت back soft دنبال می کنید

برچسب : نویسنده : استخدام کار backsoft بازدید : 342 تاريخ : شنبه 29 اسفند 1394 ساعت: 20:41

Vote count: 0

I have an SKEmitterNode in SpriteKit. I Added a separate .sks file and even replaced the standard texture with a red spark. Then I added it to my bird node. I see red sparks coming out of it, But only on the Black Burton out. My SKScene in background color is white and I can only see the sparks on dark background

Emitter node has the parent bird

asked 2 mins ago

back soft...
ما را در سایت back soft دنبال می کنید

برچسب : نویسنده : استخدام کار backsoft بازدید : 322 تاريخ : شنبه 29 اسفند 1394 ساعت: 20:41

Vote count: 0

I have this script

#!/bin/bash
rename_files() { title="${1##*${2} - }" for filename in "$1/"*.*; do case "${filename##*.}" in doc|doc|doc) mkdir -p -m 777 "/Users/Desktop/Documents Share/Downloaded/${title}" new_path="/Users/Desktop/Documents Share/Downloaded/${title}/${title}.${filename##*.}" let "iters=1" while [ -f $new_path ] ; do new_path=$new_path"$iters" let "iters++" done echo "moving $filename -> $new_path" mv "${filename}" "${new_path}" ;; esac done
}
rename_category() { for path in "/Users/Desktop/Documents Share/Downloads/${1}"*; do rename_files "$path" "$1" done
}
rename_category DOC

This script automatically moves and renames files contained in /Users/Desktop/Documents Share/Downloaded. All is working fine if I use a folder called Documents instead of Documents Share. I tried to do use Documents Share but it doesn't work.

Here is the error log

/Users/Desktop/Script.sh: line 11: [: /Users/Desktop/Documents: binary operator expected

How can I solve it?

asked 1 min ago

back soft...
ما را در سایت back soft دنبال می کنید

برچسب : نویسنده : استخدام کار backsoft بازدید : 359 تاريخ : شنبه 29 اسفند 1394 ساعت: 18:22

Vote count: 0

i need ur help figuring out this problem... im new to angular just started playing on ground.

Initially i have only one button on load "Add list", with add list user can able to add multiple lists with itself have a button("Add Phase") for each list, on click of Add phase it should show the content related to that phase.

Im doing this all in dynamic way.

My HTML looks like:

<button ng-click="list()">add list</button>
<div id="container"></div>

My controller looks like:

 $scope.list =function(){ var name1html = '<div id="ide"><button ng-click="phase()">Add Phase</button><div id="drop"></div></div>'; var name1 = $compile(name1html)($scope); angular.element(document.getElementById('container')).append(name1); } $scope.phase =function(){ var name2html = '<div>123</div>'; var name2 = $compile(name2html)($scope); angular.element(document.getElementById('drop')).append(name2); }

Actual Output: On click of 2nd Add phase button it is again adding to 1st button

Expected Output: Im expecting something like this

asked 16 secs ago

back soft...
ما را در سایت back soft دنبال می کنید

برچسب : نویسنده : استخدام کار backsoft بازدید : 350 تاريخ : شنبه 29 اسفند 1394 ساعت: 18:22

Vote count: 0

A PHP Error was encountered

Severity: Notice

Message: Undefined index: uploadimg

Filename: models/upload_model.php

Line Number: 26

/my code/ Controller

public function do_upload(){ $this->upload->do_upload(); if($this->upload_model->Doupload()){ echo 1; }else{ echo 0; }
} private function set_config_option(){ $config =array( 'allowed_type' => 'gif|jpg|png|jpeg|pdf|doc|xml|zip|rar', 'file_size' => '100', 'max_width' => '1024', 'overwrite' => TRUE, 'max_height' => '768', ); retu $config;
}

Model

 private function set_config_option(){ $config =array( 'allowed_type' => 'gif|jpg|png|jpeg|pdf|doc|xml|zip|rar', 'file_size' => '2048000', 'max_width' => '1024', 'overwrite' => TRUE, 'max_height' => '768' ); retu $config;
}
public function Doupload(){ $target_path = 'uploads/'; $target_file = $target_path. basename($_FILES['uploadimg']['name']); $base_url = base_url(); $img_title = $this->input->post('imgname'); $this->upload->initialize('upload', $this->set_config_option()); // $img = $this->upload->do_upload(); }

Please help me...

asked 1 min ago

back soft...
ما را در سایت back soft دنبال می کنید

برچسب : نویسنده : استخدام کار backsoft بازدید : 325 تاريخ : شنبه 29 اسفند 1394 ساعت: 17:11

Vote count: 0

Suppose there is a scenario of Users having Tasks. Each User can either be a Watcher or Worker of a Task.

Furthermore, a Worker can file the hours he has worked on a given Task.

Would the following diagram be correct? I have looked around at domain models and I have not seen one with the two associations (works on, watches). Is it acceptable?

enter image description here

asked 1 min ago

back soft...
ما را در سایت back soft دنبال می کنید

برچسب : نویسنده : استخدام کار backsoft بازدید : 267 تاريخ : شنبه 29 اسفند 1394 ساعت: 17:11

Vote count: 0

I was reading the book "Text Analysis with R for Students of Literature" and trying to reproduce the example. Therefore I have a vector in which every element is one line of text from a book and I am now attempting to merge these into a vector of the length one with the past() function. I have tried to play around with the arguments and read about it but no matter what, the resulting vector keeps the original length. I am using R studio 0.99.484 with R 3.2.3 on a linuxMint 17.2, in case that makes a difference.

This is my reproducible example

 > a <- rep("blabla", 5) > b <- paste(a, colapse= "X") > b [1] "blabla X" "blabla X" "blabla X" "blabla X" "blabla X" > length(b) [1] 5

The way I understand the documentation, I would expect the results be more like "blablaXbla... and the length have a value of 1.

Thanks for your help.

asked 1 min ago

back soft...
ما را در سایت back soft دنبال می کنید

برچسب : نویسنده : استخدام کار backsoft بازدید : 296 تاريخ : شنبه 29 اسفند 1394 ساعت: 17:11

Vote count: 0

I have implemented AutoComplete feature in my MVC application but it doesnt seem to work. Could somebody tell whats wrong with my implementation

The Index View Here I have defined the data attributes for autocomplete

<form method="get" action="@Url.Action("Index")" data-otf-ajax="true" data-otf-target="#restaurantList" > <input type="search" name="searchTerm" data-otf-autocomplete="@Url.Action("AutoComplete")"/> <input type="submit" value="Search" />
</form>
@Html.Partial("_Restaurants", Model)

The otf.js file

$(function ()
{ var ajaxFormSubmit = function () { var $form = $(this); var options = { url: $form.attr("action"), type: $form.attr("method"), data: $form.serialize() }; $.ajax(options).done(function (data) { var $target = $($form.attr("data-otf-target")); $target.replaceWith(data); }); }; retu false; var createAutoComplete = function () { var $input = $(this); var options = { source: $input.attr("data-otf-autocomplete") }; $input.autocomplete(options); }; $("form[data-otf-ajax='true']").submit(ajaxFormSubmit); $("input[data-otf-autocomplete]").each(createAutoComplete);
});

The HomeController

 public ActionResult AutoComplete(string searchTerm) { var model = _db.Restaurants .Where(r => r.Name.StartsWith(searchTerm)) .Take(10) .Select(r => new { label = r.Name }); retu Json(model, JsonRequestBehavior.AllowGet); }
asked 46 secs ago

back soft...
ما را در سایت back soft دنبال می کنید

برچسب : نویسنده : استخدام کار backsoft بازدید : 299 تاريخ : شنبه 29 اسفند 1394 ساعت: 15:59

Vote count: 0

Is there a way to get the result from the Example sheet Columns J:K using a single function?

I.e. is there a way to count unique / disctinct values within QUERY function, or any other single function that would create a pivot-like set of data with two columns?

In the example sheet I have a set of data, which I need to group by one column and count unique values in the other one. There's a workaround there, but it involves two formulas plus another one that would sort it properly (data set is growing and rows get added, so sorting manually is not the best option).

Query function (or, my knowledge of Query function) doesn't seem to be able to count unique values, so it's not working. Googling hasn't helped me much with this.

Example Sheet

asked 20 secs ago

back soft...
ما را در سایت back soft دنبال می کنید

برچسب : نویسنده : استخدام کار backsoft بازدید : 384 تاريخ : شنبه 29 اسفند 1394 ساعت: 15:59

Vote count: 0

I have followed the instructions here: http://docs.aws.amazon.com/elasticbeanstalk/latest/dg/using-features.customenv.html

I am specifically trying to do this part:

(Windows platforms) Run the EC2Config service Sysprep. For information about EC2Config, go to Configuring a Windows Instance Using the EC2Config Service. Ensure that Sysprep is configured to generate a random password that can be retrieved from the AWS Management Console

However when I attempt to change this setting, I cannot apply the changes. I have run the EC2Config service as administrator. How do I complete this step?

asked 16 secs ago

back soft...
ما را در سایت back soft دنبال می کنید

برچسب : نویسنده : استخدام کار backsoft بازدید : 292 تاريخ : شنبه 29 اسفند 1394 ساعت: 15:59

Vote count: 0

i install a eclipse mars and download maven plugins but when i create my first app in pom it is showing the error Plugin execution not covered by lifecycle configuration: org.apache.maven.plugins:maven-compiler-plugin:3.1:testCompile (execution: default-testCompile, phase: test-compile)

i try all possibilty but can not resolve so what is the solutation

asked 1 min ago

back soft...
ما را در سایت back soft دنبال می کنید

برچسب : نویسنده : استخدام کار backsoft بازدید : 315 تاريخ : شنبه 29 اسفند 1394 ساعت: 14:09

Vote count: 0

I have used the following code but when i click on the login button i'm redirected to a blank page.in this i have created a login pAGE that checks if the user is present in database.i have not given a sign up page instaed manually added values to the database.in sign-in.html i have given the form and in connectivity.php file i have given the code to check if user and password are present in database. as per code the output should have been "succesfully logged in" or "error could not login" but instead i get a blank page.how do i resolve this.please help!! the php file that connects to db

asked 1 min ago

back soft...
ما را در سایت back soft دنبال می کنید

برچسب : نویسنده : استخدام کار backsoft بازدید : 322 تاريخ : شنبه 29 اسفند 1394 ساعت: 14:09

Vote count: 0

I have vs2013 and ie11 on my system. I have created virtual directory for my web application. I have crystal report version "10.5.3700.0". But when i generated report paging,print btn not loading and report format is also not good.If i run same url in ie8 it works fine.

Some crystal report css and js not loading properly

asked 49 secs ago

back soft...
ما را در سایت back soft دنبال می کنید

برچسب : نویسنده : استخدام کار backsoft بازدید : 282 تاريخ : شنبه 29 اسفند 1394 ساعت: 14:09

خبرنامه